0340541002 2025-04-24 1: use crate::{
0340541002 2025-04-24 2: command,
0340541002 2025-04-24 3: sql::Db,
0340541002 2025-04-24 4: };
1c444d34ff 2024-08-28 5:
9171c791eb 2021-11-13 6: use std::{
c1e27b74ed 2021-11-13 7: borrow::Cow,
9171c791eb 2021-11-13 8: collections::{
9171c791eb 2021-11-13 9: BTreeMap,
9171c791eb 2021-11-13 10: HashSet,
9171c791eb 2021-11-13 11: },
dc7c43b010 2026-01-01 12: sync::Arc,
44575a91d3 2025-07-09 13: };
44575a91d3 2025-07-09 14:
dc7c43b010 2026-01-01 15: use async_compat::Compat;
acb0a4ac54 2025-09-28 16: use chrono::{
acb0a4ac54 2025-09-28 17: DateTime,
acb0a4ac54 2025-09-28 18: Local,
44575a91d3 2025-07-09 19: };
5a4aab7687 2025-06-29 20: use lazy_static::lazy_static;
5a4aab7687 2025-06-29 21: use regex::Regex;
acb0a4ac54 2025-09-28 22: use reqwest::header::{
acb0a4ac54 2025-09-28 23: CACHE_CONTROL,
acb0a4ac54 2025-09-28 24: EXPIRES,
acb0a4ac54 2025-09-28 25: LAST_MODIFIED
dc7c43b010 2026-01-01 26: };
dc7c43b010 2026-01-01 27: use smol::{
dc7c43b010 2026-01-01 28: Timer,
dc7c43b010 2026-01-01 29: lock::Mutex,
acb0a4ac54 2025-09-28 30: };
bb89b6fab8 2025-06-15 31: use tgbot::{
bb89b6fab8 2025-06-15 32: api::Client,
bb89b6fab8 2025-06-15 33: handler::UpdateHandler,
bb89b6fab8 2025-06-15 34: types::{
bb89b6fab8 2025-06-15 35: Bot,
bb89b6fab8 2025-06-15 36: ChatPeerId,
bb89b6fab8 2025-06-15 37: Command,
bb89b6fab8 2025-06-15 38: GetBot,
bb89b6fab8 2025-06-15 39: Message,
bb89b6fab8 2025-06-15 40: ParseMode,
bb89b6fab8 2025-06-15 41: SendMessage,
bb89b6fab8 2025-06-15 42: Update,
bb89b6fab8 2025-06-15 43: UpdateType,
bb89b6fab8 2025-06-15 44: UserPeerId,
1bd041d00f 2025-05-20 45: },
1bd041d00f 2025-05-20 46: };
44575a91d3 2025-07-09 47: use stacked_errors::{
44575a91d3 2025-07-09 48: Result,
44575a91d3 2025-07-09 49: StackableErr,
44575a91d3 2025-07-09 50: anyhow,
44575a91d3 2025-07-09 51: bail,
44575a91d3 2025-07-09 52: };
5a4aab7687 2025-06-29 53:
5a4aab7687 2025-06-29 54: lazy_static!{
5a4aab7687 2025-06-29 55: pub static ref RE_SPECIAL: Regex = Regex::new(r"([\-_*\[\]()~`>#+|{}\.!])").unwrap();
5a4aab7687 2025-06-29 56: }
5a4aab7687 2025-06-29 57:
7393d62235 2026-01-07 58: /// Escape characters that are special in Telegram MarkdownV2 by prefixing them with a backslash.
7393d62235 2026-01-07 59: ///
7393d62235 2026-01-07 60: /// This ensures the returned string can be used as MarkdownV2-formatted Telegram message content
7393d62235 2026-01-07 61: /// without special characters being interpreted as MarkdownV2 markup.
5a4aab7687 2025-06-29 62: pub fn encode (text: &str) -> Cow<'_, str> {
5a4aab7687 2025-06-29 63: RE_SPECIAL.replace_all(text, "\\$1")
7393d62235 2026-01-07 64: }
7393d62235 2026-01-07 65:
7393d62235 2026-01-07 66: // This one does nothing except making sure only one token exists for each id
7393d62235 2026-01-07 67: pub struct Token {
7393d62235 2026-01-07 68: running: Arc<Mutex<HashSet<i32>>>,
7393d62235 2026-01-07 69: my_id: i32,
7393d62235 2026-01-07 70: }
7393d62235 2026-01-07 71:
7393d62235 2026-01-07 72: impl Token {
7393d62235 2026-01-07 73: /// Attempts to acquire a per-id token by inserting `my_id` into the shared `running` set.
7393d62235 2026-01-07 74: ///
7393d62235 2026-01-07 75: /// If the id was not already present, the function inserts it and returns `Some(Token)`.
7393d62235 2026-01-07 76: /// When the returned `Token` is dropped, the id will be removed from the `running` set,
7393d62235 2026-01-07 77: /// allowing subsequent acquisitions for the same id.
7393d62235 2026-01-07 78: ///
7393d62235 2026-01-07 79: /// # Parameters
7393d62235 2026-01-07 80: ///
7393d62235 2026-01-07 81: /// - `running`: Shared set tracking active ids.
7393d62235 2026-01-07 82: /// - `my_id`: Identifier to acquire a token for.
7393d62235 2026-01-07 83: ///
7393d62235 2026-01-07 84: /// # Returns
7393d62235 2026-01-07 85: ///
7393d62235 2026-01-07 86: /// `Ok(Token)` if the id was successfully acquired, `Error` if a token for the id is already active.
7393d62235 2026-01-07 87: async fn new (running: &Arc<Mutex<HashSet<i32>>>, my_id: i32) -> Result<Token> {
7393d62235 2026-01-07 88: let running = running.clone();
7393d62235 2026-01-07 89: let mut set = running.lock_arc().await;
7393d62235 2026-01-07 90: if set.contains(&my_id) {
7393d62235 2026-01-07 91: bail!("Token already taken");
7393d62235 2026-01-07 92: } else {
7393d62235 2026-01-07 93: set.insert(my_id);
7393d62235 2026-01-07 94: Ok(Token {
7393d62235 2026-01-07 95: running,
7393d62235 2026-01-07 96: my_id,
7393d62235 2026-01-07 97: })
7393d62235 2026-01-07 98: }
7393d62235 2026-01-07 99: }
7393d62235 2026-01-07 100: }
7393d62235 2026-01-07 101:
7393d62235 2026-01-07 102: impl Drop for Token {
7393d62235 2026-01-07 103: /// Releases this token's claim on the shared running-set when the token is dropped.
7393d62235 2026-01-07 104: ///
7393d62235 2026-01-07 105: /// The token's identifier is removed from the shared `running` set so that future
7393d62235 2026-01-07 106: /// operations for the same id may proceed.
7393d62235 2026-01-07 107: ///
7393d62235 2026-01-07 108: /// TODO: is using block_on inside block_on safe? Currently tested and working fine.
7393d62235 2026-01-07 109: fn drop (&mut self) {
7393d62235 2026-01-07 110: smol::block_on(async {
7393d62235 2026-01-07 111: let mut set = self.running.lock_arc().await;
7393d62235 2026-01-07 112: set.remove(&self.my_id);
7393d62235 2026-01-07 113: })
7393d62235 2026-01-07 114: }
5a4aab7687 2025-06-29 115: }
9171c791eb 2021-11-13 116:
9171c791eb 2021-11-13 117: #[derive(Clone)]
9171c791eb 2021-11-13 118: pub struct Core {
bb89b6fab8 2025-06-15 119: owner_chat: ChatPeerId,
bb89b6fab8 2025-06-15 120: // max_delay: u16,
bb89b6fab8 2025-06-15 121: pub tg: Client,
bb89b6fab8 2025-06-15 122: pub me: Bot,
0340541002 2025-04-24 123: pub db: Db,
7393d62235 2026-01-07 124: running: Arc<Mutex<HashSet<i32>>>,
45e34762e4 2023-05-28 125: http_client: reqwest::Client,
45e34762e4 2023-05-28 126: }
45e34762e4 2023-05-28 127:
01565c7f7e 2026-04-23 128: // XXX Right now that part is unfinished and I guess I need to finish menu first
01565c7f7e 2026-04-23 129: #[allow(unused)]
dc7c43b010 2026-01-01 130: pub struct Post {
dc7c43b010 2026-01-01 131: uri: String,
dc7c43b010 2026-01-01 132: title: String,
dc7c43b010 2026-01-01 133: authors: String,
dc7c43b010 2026-01-01 134: summary: String,
dc7c43b010 2026-01-01 135: }
dc7c43b010 2026-01-01 136:
9171c791eb 2021-11-13 137: impl Core {
7393d62235 2026-01-07 138: /// Create a Core instance from configuration and start its background autofetch loop.
7393d62235 2026-01-07 139: ///
7393d62235 2026-01-07 140: /// The provided `settings` must include:
7393d62235 2026-01-07 141: /// - `owner` (integer): chat id to use as the default destination,
7393d62235 2026-01-07 142: /// - `api_key` (string): Telegram bot API key,
7393d62235 2026-01-07 143: /// - `api_gateway` (string): Telegram API gateway host,
7393d62235 2026-01-07 144: /// - `pg` (string): PostgreSQL connection string,
7393d62235 2026-01-07 145: /// - optional `proxy` (string): proxy URL for the HTTP client.
7393d62235 2026-01-07 146: ///
7393d62235 2026-01-07 147: /// On success returns an initialized `Core` with Telegram and HTTP clients, database connection,
7393d62235 2026-01-07 148: /// an empty running set for per-id tokens, and a spawned background task that periodically runs
7393d62235 2026-01-07 149: /// `autofetch`. If any required setting is missing or initialization fails, an error is returned.
0340541002 2025-04-24 150: pub async fn new(settings: config::Config) -> Result<Core> {
44575a91d3 2025-07-09 151: let owner_chat = ChatPeerId::from(settings.get_int("owner").stack()?);
44575a91d3 2025-07-09 152: let api_key = settings.get_string("api_key").stack()?;
42b29b744b 2026-01-01 153: let tg = Client::new(&api_key).stack()?
42b29b744b 2026-01-01 154: .with_host(settings.get_string("api_gateway").stack()?);
45e34762e4 2023-05-28 155:
45e34762e4 2023-05-28 156: let mut client = reqwest::Client::builder();
9d8a6738fd 2023-07-30 157: if let Ok(proxy) = settings.get_string("proxy") {
44575a91d3 2025-07-09 158: let proxy = reqwest::Proxy::all(proxy).stack()?;
45e34762e4 2023-05-28 159: client = client.proxy(proxy);
45e34762e4 2023-05-28 160: }
44575a91d3 2025-07-09 161: let http_client = client.build().stack()?;
44575a91d3 2025-07-09 162: let me = tg.execute(GetBot).await.stack()?;
0340541002 2025-04-24 163: let core = Core {
f988dfd28f 2022-02-13 164: tg,
e624ef9d66 2025-04-20 165: me,
e624ef9d66 2025-04-20 166: owner_chat,
44575a91d3 2025-07-09 167: db: Db::new(&settings.get_string("pg").stack()?)?,
7393d62235 2026-01-07 168: running: Arc::new(Mutex::new(HashSet::new())),
45e34762e4 2023-05-28 169: http_client,
bb89b6fab8 2025-06-15 170: // max_delay: 60,
0340541002 2025-04-24 171: };
bb89b6fab8 2025-06-15 172: let clone = core.clone();
dc7c43b010 2026-01-01 173: smol::spawn(Compat::new(async move {
26339860ce 2022-02-13 174: loop {
26339860ce 2022-02-13 175: let delay = match &clone.autofetch().await {
26339860ce 2022-02-13 176: Err(err) => {
07b34bcad6 2025-08-05 177: if let Err(err) = clone.send(format!("🛑 {err}"), None, None).await {
e624ef9d66 2025-04-20 178: eprintln!("Autofetch error: {err:?}");
26339860ce 2022-02-13 179: };
cb86e770f9 2022-03-15 180: std::time::Duration::from_secs(60)
26339860ce 2022-02-13 181: },
26339860ce 2022-02-13 182: Ok(time) => *time,
9171c791eb 2021-11-13 183: };
dc7c43b010 2026-01-01 184: Timer::after(delay).await;
9171c791eb 2021-11-13 185: }
dc7c43b010 2026-01-01 186: })).detach();
9171c791eb 2021-11-13 187: Ok(core)
9171c791eb 2021-11-13 188: }
9171c791eb 2021-11-13 189:
bb89b6fab8 2025-06-15 190: pub async fn send <S>(&self, msg: S, target: Option<ChatPeerId>, mode: Option<ParseMode>) -> Result<Message>
e624ef9d66 2025-04-20 191: where S: Into<String> {
e624ef9d66 2025-04-20 192: let msg = msg.into();
e624ef9d66 2025-04-20 193:
e624ef9d66 2025-04-20 194: let mode = mode.unwrap_or(ParseMode::Html);
e624ef9d66 2025-04-20 195: let target = target.unwrap_or(self.owner_chat);
44575a91d3 2025-07-09 196: self.tg.execute(
44575a91d3 2025-07-09 197: SendMessage::new(target, msg)
44575a91d3 2025-07-09 198: .with_parse_mode(mode)
44575a91d3 2025-07-09 199: ).await.stack()
44575a91d3 2025-07-09 200: }
44575a91d3 2025-07-09 201:
7393d62235 2026-01-07 202: /// Fetches the feed for a source, sends any newly discovered posts to the appropriate chat, and records them in the database.
7393d62235 2026-01-07 203: ///
7393d62235 2026-01-07 204: /// This acquires a per-source guard to prevent concurrent checks for the same `id`. If a check is already running for
7393d62235 2026-01-07 205: /// the given `id`, the function returns an error. If `last_scrape` is provided, it is sent as the `If-Modified-Since`
7393d62235 2026-01-07 206: /// header to the feed request. The function parses RSS or Atom feeds, sends unseen post URLs to either the source's
7393d62235 2026-01-07 207: /// channel (when `real` is true) or the source owner (when `real` is false), and persists posted entries so they are
7393d62235 2026-01-07 208: /// not reposted later.
7393d62235 2026-01-07 209: ///
7393d62235 2026-01-07 210: /// Parameters:
7393d62235 2026-01-07 211: /// - `id`: Identifier of the source to check.
7393d62235 2026-01-07 212: /// - `real`: When `true`, send posts to the source's channel; when `false`, send to the source owner.
7393d62235 2026-01-07 213: /// - `last_scrape`: Optional timestamp used to set the `If-Modified-Since` header for the HTTP request.
7393d62235 2026-01-07 214: ///
7393d62235 2026-01-07 215: /// # Returns
7393d62235 2026-01-07 216: ///
7393d62235 2026-01-07 217: /// `Posted: N` where `N` is the number of posts processed and sent.
acb0a4ac54 2025-09-28 218: pub async fn check (&self, id: i32, real: bool, last_scrape: Option<DateTime<Local>>) -> Result<String> {
44575a91d3 2025-07-09 219: let mut posted: i32 = 0;
44575a91d3 2025-07-09 220: let mut conn = self.db.begin().await.stack()?;
44575a91d3 2025-07-09 221:
7393d62235 2026-01-07 222: let _token = Token::new(&self.running, id).await.stack()?;
7393d62235 2026-01-07 223: let source = conn.get_source(id, self.owner_chat).await.stack()?;
7393d62235 2026-01-07 224: conn.set_scrape(id).await.stack()?;
7393d62235 2026-01-07 225: let destination = ChatPeerId::from(match real {
7393d62235 2026-01-07 226: true => source.channel_id,
7393d62235 2026-01-07 227: false => source.owner,
7393d62235 2026-01-07 228: });
7393d62235 2026-01-07 229: let mut this_fetch: Option<DateTime<chrono::FixedOffset>> = None;
7393d62235 2026-01-07 230: let mut posts: BTreeMap<DateTime<chrono::FixedOffset>, Post> = BTreeMap::new();
7393d62235 2026-01-07 231:
7393d62235 2026-01-07 232: let mut builder = self.http_client.get(&source.url);
7393d62235 2026-01-07 233: if let Some(last_scrape) = last_scrape {
7393d62235 2026-01-07 234: builder = builder.header(LAST_MODIFIED, last_scrape.to_rfc2822());
7393d62235 2026-01-07 235: };
7393d62235 2026-01-07 236: let response = builder.send().await.stack()?;
7393d62235 2026-01-07 237: #[cfg(debug_assertions)]
7393d62235 2026-01-07 238: {
7393d62235 2026-01-07 239: let headers = response.headers();
7393d62235 2026-01-07 240: let expires = headers.get(EXPIRES);
7393d62235 2026-01-07 241: let cache = headers.get(CACHE_CONTROL);
7393d62235 2026-01-07 242: if expires.is_some() || cache.is_some() {
7393d62235 2026-01-07 243: println!("{} {} {:?} {:?} {:?}", Local::now().to_rfc2822(), &source.url, last_scrape, expires, cache);
7393d62235 2026-01-07 244: }
7393d62235 2026-01-07 245: }
7393d62235 2026-01-07 246: let status = response.status();
7393d62235 2026-01-07 247: let content = response.bytes().await.stack()?;
7393d62235 2026-01-07 248: match rss::Channel::read_from(&content[..]) {
7393d62235 2026-01-07 249: Ok(feed) => {
7393d62235 2026-01-07 250: for item in feed.items() {
7393d62235 2026-01-07 251: if let Some(link) = item.link() {
7393d62235 2026-01-07 252: let date = match item.pub_date() {
7393d62235 2026-01-07 253: Some(feed_date) => DateTime::parse_from_rfc2822(feed_date),
7393d62235 2026-01-07 254: None => DateTime::parse_from_rfc3339(match item.dublin_core_ext() {
7393d62235 2026-01-07 255: Some(ext) => {
7393d62235 2026-01-07 256: let dates = ext.dates();
7393d62235 2026-01-07 257: if dates.is_empty() {
7393d62235 2026-01-07 258: bail!("Feed item has Dublin Core extension but no dates.")
7393d62235 2026-01-07 259: } else {
7393d62235 2026-01-07 260: &dates[0]
7393d62235 2026-01-07 261: }
7393d62235 2026-01-07 262: },
7393d62235 2026-01-07 263: None => bail!("Feed item misses posting date."),
7393d62235 2026-01-07 264: }),
7393d62235 2026-01-07 265: }.stack()?;
7393d62235 2026-01-07 266: let uri = link.to_string();
7393d62235 2026-01-07 267: let title = item.title().unwrap_or("").to_string();
7393d62235 2026-01-07 268: let authors = item.author().unwrap_or("").to_string();
7393d62235 2026-01-07 269: let summary = item.content().unwrap_or("").to_string();
7393d62235 2026-01-07 270: posts.insert(date, Post{
7393d62235 2026-01-07 271: uri,
7393d62235 2026-01-07 272: title,
7393d62235 2026-01-07 273: authors,
7393d62235 2026-01-07 274: summary,
7393d62235 2026-01-07 275: });
7393d62235 2026-01-07 276: }
7393d62235 2026-01-07 277: };
7393d62235 2026-01-07 278: },
7393d62235 2026-01-07 279: Err(err) => match err {
7393d62235 2026-01-07 280: rss::Error::InvalidStartTag => {
7393d62235 2026-01-07 281: match atom_syndication::Feed::read_from(&content[..]) {
7393d62235 2026-01-07 282: Ok(feed) => {
7393d62235 2026-01-07 283: for item in feed.entries() {
7393d62235 2026-01-07 284: let date = item.published()
7393d62235 2026-01-07 285: .stack_err("Feed item missing publishing date.")?;
7393d62235 2026-01-07 286: let uri = {
7393d62235 2026-01-07 287: let links = item.links();
7393d62235 2026-01-07 288: if links.is_empty() {
7393d62235 2026-01-07 289: bail!("Feed item missing post links.");
7393d62235 2026-01-07 290: } else {
7393d62235 2026-01-07 291: links[0].href().to_string()
7393d62235 2026-01-07 292: }
7393d62235 2026-01-07 293: };
7393d62235 2026-01-07 294: let title = item.title().to_string();
7393d62235 2026-01-07 295: let authors = item.authors().iter().map(|x| format!("{} <{:?}>", x.name(), x.email())).collect::<Vec<String>>().join(", ");
7393d62235 2026-01-07 296: let summary = if let Some(sum) = item.summary() { sum.value.clone() } else { String::new() };
7393d62235 2026-01-07 297: posts.insert(*date, Post{
7393d62235 2026-01-07 298: uri,
7393d62235 2026-01-07 299: title,
7393d62235 2026-01-07 300: authors,
7393d62235 2026-01-07 301: summary,
7393d62235 2026-01-07 302: });
7393d62235 2026-01-07 303: };
7393d62235 2026-01-07 304: },
7393d62235 2026-01-07 305: Err(err) => {
7393d62235 2026-01-07 306: bail!("Unsupported or mangled content:\n{:?}\n{err}\n{status:#?}\n", &source.url)
7393d62235 2026-01-07 307: },
7393d62235 2026-01-07 308: }
7393d62235 2026-01-07 309: },
7393d62235 2026-01-07 310: rss::Error::Eof => (),
7393d62235 2026-01-07 311: _ => bail!("Unsupported or mangled content:\n{:?}\n{err}\n{status:#?}\n", &source.url)
7393d62235 2026-01-07 312: }
7393d62235 2026-01-07 313: };
7393d62235 2026-01-07 314: for (date, post) in posts.iter() {
7393d62235 2026-01-07 315: let post_url: Cow<str> = match source.url_re {
7393d62235 2026-01-07 316: Some(ref x) => sedregex::ReplaceCommand::new(x).stack()?.execute(&post.uri),
7393d62235 2026-01-07 317: None => post.uri.clone().into(),
7393d62235 2026-01-07 318: };
7393d62235 2026-01-07 319: if ! conn.exists(&post_url, id).await.stack()? {
7393d62235 2026-01-07 320: if this_fetch.is_none() || *date > this_fetch.unwrap() {
7393d62235 2026-01-07 321: this_fetch = Some(*date);
7393d62235 2026-01-07 322: };
7393d62235 2026-01-07 323: self.send( match &source.iv_hash {
7393d62235 2026-01-07 324: Some(hash) => format!("<a href=\"https://t.me/iv?url={post_url}&rhash={hash}\"> </a>{post_url}"),
7393d62235 2026-01-07 325: None => format!("{post_url}"),
7393d62235 2026-01-07 326: }, Some(destination), Some(ParseMode::Html)).await.stack()?;
7393d62235 2026-01-07 327: conn.add_post(id, date, &post_url).await.stack()?;
44575a91d3 2025-07-09 328: posted += 1;
44575a91d3 2025-07-09 329: };
44575a91d3 2025-07-09 330: };
7393d62235 2026-01-07 331: posts.clear();
0340541002 2025-04-24 332: Ok(format!("Posted: {posted}"))
26339860ce 2022-02-13 333: }
26339860ce 2022-02-13 334:
bb89b6fab8 2025-06-15 335: async fn autofetch(&self) -> Result<std::time::Duration> {
26339860ce 2022-02-13 336: let mut delay = chrono::Duration::minutes(1);
9910c2209c 2023-08-04 337: let now = chrono::Local::now();
bb89b6fab8 2025-06-15 338: let queue = {
44575a91d3 2025-07-09 339: let mut conn = self.db.begin().await.stack()?;
44575a91d3 2025-07-09 340: conn.get_queue().await.stack()?
bb89b6fab8 2025-06-15 341: };
bb89b6fab8 2025-06-15 342: for row in queue {
9910c2209c 2023-08-04 343: if let Some(next_fetch) = row.next_fetch {
9910c2209c 2023-08-04 344: if next_fetch < now {
acb0a4ac54 2025-09-28 345: if let (Some(owner), Some(source_id), last_scrape) = (row.owner, row.source_id, row.last_scrape) {
bb89b6fab8 2025-06-15 346: let clone = Core {
bb89b6fab8 2025-06-15 347: owner_chat: ChatPeerId::from(owner),
9910c2209c 2023-08-04 348: ..self.clone()
9910c2209c 2023-08-04 349: };
b4af85e31b 2025-06-29 350: let source = {
44575a91d3 2025-07-09 351: let mut conn = self.db.begin().await.stack()?;
b4af85e31b 2025-06-29 352: match conn.get_one(owner, source_id).await {
b4af85e31b 2025-06-29 353: Ok(Some(source)) => source.to_string(),
7393d62235 2026-01-07 354: Ok(None) => "Source not found in database?".to_string(),
b4af85e31b 2025-06-29 355: Err(err) => format!("Failed to fetch source data:\n{err}"),
b4af85e31b 2025-06-29 356: }
b4af85e31b 2025-06-29 357: };
dc7c43b010 2026-01-01 358: smol::spawn(Compat::new(async move {
acb0a4ac54 2025-09-28 359: if let Err(err) = clone.check(source_id, true, Some(last_scrape)).await {
7393d62235 2026-01-07 360: if let Err(err) = clone.send(&format!("🛑 {source}\n{}", encode(&err.to_string())), None, Some(ParseMode::MarkdownV2)).await {
ec71df21e1 2025-11-07 361: eprintln!("Check error: {err}");
79c91a5357 2024-08-02 362: // clone.disable(&source_id, owner).await.unwrap();
9910c2209c 2023-08-04 363: };
9910c2209c 2023-08-04 364: };
dc7c43b010 2026-01-01 365: })).detach();
9910c2209c 2023-08-04 366: }
9910c2209c 2023-08-04 367: } else if next_fetch - now < delay {
9910c2209c 2023-08-04 368: delay = next_fetch - now;
9910c2209c 2023-08-04 369: }
9910c2209c 2023-08-04 370: }
9910c2209c 2023-08-04 371: };
44575a91d3 2025-07-09 372: delay.to_std().stack()
9910c2209c 2023-08-04 373: }
9910c2209c 2023-08-04 374:
bb89b6fab8 2025-06-15 375: pub async fn list (&self, owner: UserPeerId) -> Result<String> {
b4af85e31b 2025-06-29 376: let mut reply: Vec<String> = vec![];
9910c2209c 2023-08-04 377: reply.push("Channels:".into());
44575a91d3 2025-07-09 378: let mut conn = self.db.begin().await.stack()?;
44575a91d3 2025-07-09 379: for row in conn.get_list(owner).await.stack()? {
b4af85e31b 2025-06-29 380: reply.push(row.to_string());
e624ef9d66 2025-04-20 381: };
b4af85e31b 2025-06-29 382: Ok(reply.join("\n\n"))
bb89b6fab8 2025-06-15 383: }
bb89b6fab8 2025-06-15 384: }
bb89b6fab8 2025-06-15 385:
bb89b6fab8 2025-06-15 386: impl UpdateHandler for Core {
bb89b6fab8 2025-06-15 387: async fn handle (&self, update: Update) {
bb89b6fab8 2025-06-15 388: if let UpdateType::Message(msg) = update.update_type {
bc5f7c980c 2026-03-24 389: if let Ok(cmd) = Command::try_from(*msg) {
bb89b6fab8 2025-06-15 390: let msg = cmd.get_message();
bb89b6fab8 2025-06-15 391: let words = cmd.get_args();
fae13a0e55 2025-06-28 392: let command = cmd.get_name();
fae13a0e55 2025-06-28 393: let res = match command {
fae13a0e55 2025-06-28 394: "/check" | "/clean" | "/enable" | "/delete" | "/disable" => command::command(self, command, msg, words).await,
bb89b6fab8 2025-06-15 395: "/start" => command::start(self, msg).await,
bb89b6fab8 2025-06-15 396: "/list" => command::list(self, msg).await,
fae13a0e55 2025-06-28 397: "/add" | "/update" => command::update(self, command, msg, words).await,
bb89b6fab8 2025-06-15 398: any => Err(anyhow!("Unknown command: {any}")),
bb89b6fab8 2025-06-15 399: };
bb89b6fab8 2025-06-15 400: if let Err(err) = res {
07b34bcad6 2025-08-05 401: if let Err(err2) = self.send(format!("\\#error\n```\n{err}\n```"),
bb89b6fab8 2025-06-15 402: Some(msg.chat.get_id()),
bb89b6fab8 2025-06-15 403: Some(ParseMode::MarkdownV2)
bb89b6fab8 2025-06-15 404: ).await{
bb89b6fab8 2025-06-15 405: dbg!(err2);
bb89b6fab8 2025-06-15 406: };
bb89b6fab8 2025-06-15 407: }
bb89b6fab8 2025-06-15 408: };
bb89b6fab8 2025-06-15 409: };
e624ef9d66 2025-04-20 410: }
9171c791eb 2021-11-13 411: }