Annotation For src/core.rs
Logged in as anonymous

Origin for each line in src/core.rs from check-in 3fd8c40aa8:

0340541002 2025-04-24    1: use crate::{
9adc69d514 2026-03-25    2: 	Arc,
0340541002 2025-04-24    3: 	command,
9adc69d514 2026-03-25    4: 	Mutex,
0340541002 2025-04-24    5: 	sql::Db,
9adc69d514 2026-03-25    6: 	tg_bot::{
3fd8c40aa8 2026-03-30    7: 		Callback,
9adc69d514 2026-03-25    8: 		MyMessage,
9adc69d514 2026-03-25    9: 		Tg,
9adc69d514 2026-03-25   10: 	},
0340541002 2025-04-24   11: };
1c444d34ff 2024-08-28   12: 
9171c791eb 2021-11-13   13: use std::{
c1e27b74ed 2021-11-13   14: 	borrow::Cow,
9171c791eb 2021-11-13   15: 	collections::{
9171c791eb 2021-11-13   16: 		BTreeMap,
9adc69d514 2026-03-25   17: 		HashMap,
c6d3e97290 2025-07-01   18: 		HashSet,
c6d3e97290 2025-07-01   19: 	},
9adc69d514 2026-03-25   20: 	time::Duration,
44575a91d3 2025-07-09   21: };
44575a91d3 2025-07-09   22: 
dc7c43b010 2026-01-01   23: use async_compat::Compat;
acb0a4ac54 2025-09-28   24: use chrono::{
acb0a4ac54 2025-09-28   25: 	DateTime,
acb0a4ac54 2025-09-28   26: 	Local,
44575a91d3 2025-07-09   27: };
5a4aab7687 2025-06-29   28: use lazy_static::lazy_static;
5a4aab7687 2025-06-29   29: use regex::Regex;
9c4f09193a 2026-01-09   30: use reqwest::header::LAST_MODIFIED;
9adc69d514 2026-03-25   31: use smol::Timer;
44575a91d3 2025-07-09   32: use stacked_errors::{
44575a91d3 2025-07-09   33: 	Result,
44575a91d3 2025-07-09   34: 	StackableErr,
44575a91d3 2025-07-09   35: 	anyhow,
44575a91d3 2025-07-09   36: 	bail,
44575a91d3 2025-07-09   37: };
9adc69d514 2026-03-25   38: use tgbot::{
9adc69d514 2026-03-25   39: 	handler::UpdateHandler,
9adc69d514 2026-03-25   40: 	types::{
3fd8c40aa8 2026-03-30   41: 		CallbackQuery,
9adc69d514 2026-03-25   42: 		ChatPeerId,
9adc69d514 2026-03-25   43: 		Command,
9adc69d514 2026-03-25   44: 		Update,
9adc69d514 2026-03-25   45: 		UpdateType,
9adc69d514 2026-03-25   46: 		UserPeerId,
9adc69d514 2026-03-25   47: 	},
9adc69d514 2026-03-25   48: };
9adc69d514 2026-03-25   49: use ttl_cache::TtlCache;
5a4aab7687 2025-06-29   50: 
5a4aab7687 2025-06-29   51: lazy_static!{
5a4aab7687 2025-06-29   52: 	pub static ref RE_SPECIAL: Regex = Regex::new(r"([\-_*\[\]()~`>#+|{}\.!])").unwrap();
5a4aab7687 2025-06-29   53: }
5a4aab7687 2025-06-29   54: 
7393d62235 2026-01-07   55: // This one does nothing except making sure only one token exists for each id
7393d62235 2026-01-07   56: pub struct Token {
7393d62235 2026-01-07   57: 	running: Arc<Mutex<HashSet<i32>>>,
7393d62235 2026-01-07   58: 	my_id: i32,
7393d62235 2026-01-07   59: }
7393d62235 2026-01-07   60: 
7393d62235 2026-01-07   61: impl Token {
7393d62235 2026-01-07   62: 	/// Attempts to acquire a per-id token by inserting `my_id` into the shared `running` set.
7393d62235 2026-01-07   63: 	///
7393d62235 2026-01-07   64: 	/// If the id was not already present, the function inserts it and returns `Some(Token)`.
7393d62235 2026-01-07   65: 	/// When the returned `Token` is dropped, the id will be removed from the `running` set,
7393d62235 2026-01-07   66: 	/// allowing subsequent acquisitions for the same id.
7393d62235 2026-01-07   67: 	///
7393d62235 2026-01-07   68: 	/// # Parameters
7393d62235 2026-01-07   69: 	///
7393d62235 2026-01-07   70: 	/// - `running`: Shared set tracking active ids.
7393d62235 2026-01-07   71: 	/// - `my_id`: Identifier to acquire a token for.
7393d62235 2026-01-07   72: 	///
7393d62235 2026-01-07   73: 	/// # Returns
7393d62235 2026-01-07   74: 	///
7393d62235 2026-01-07   75: 	/// `Ok(Token)` if the id was successfully acquired, `Error` if a token for the id is already active.
7393d62235 2026-01-07   76: 	async fn new (running: &Arc<Mutex<HashSet<i32>>>, my_id: i32) -> Result<Token> {
7393d62235 2026-01-07   77: 		let running = running.clone();
7393d62235 2026-01-07   78: 		let mut set = running.lock_arc().await;
7393d62235 2026-01-07   79: 		if set.contains(&my_id) {
7393d62235 2026-01-07   80: 			bail!("Token already taken");
7393d62235 2026-01-07   81: 		} else {
7393d62235 2026-01-07   82: 			set.insert(my_id);
7393d62235 2026-01-07   83: 			Ok(Token {
7393d62235 2026-01-07   84: 				running,
7393d62235 2026-01-07   85: 				my_id,
7393d62235 2026-01-07   86: 			})
7393d62235 2026-01-07   87: 		}
7393d62235 2026-01-07   88: 	}
7393d62235 2026-01-07   89: }
7393d62235 2026-01-07   90: 
7393d62235 2026-01-07   91: impl Drop for Token {
7393d62235 2026-01-07   92: 	/// Releases this token's claim on the shared running-set when the token is dropped.
7393d62235 2026-01-07   93: 	///
7393d62235 2026-01-07   94: 	/// The token's identifier is removed from the shared `running` set so that future
7393d62235 2026-01-07   95: 	/// operations for the same id may proceed.
7393d62235 2026-01-07   96: 	///
7393d62235 2026-01-07   97: 	/// TODO: is using block_on inside block_on safe? Currently tested and working fine.
7393d62235 2026-01-07   98: 	fn drop (&mut self) {
7393d62235 2026-01-07   99: 		smol::block_on(async {
7393d62235 2026-01-07  100: 			let mut set = self.running.lock_arc().await;
7393d62235 2026-01-07  101: 			set.remove(&self.my_id);
7393d62235 2026-01-07  102: 		})
7393d62235 2026-01-07  103: 	}
5a4aab7687 2025-06-29  104: }
7393d62235 2026-01-07  105: 
3fd8c40aa8 2026-03-30  106: pub type FeedList = HashMap<i32, String>;
9adc69d514 2026-03-25  107: type UserCache = TtlCache<i64, Arc<Mutex<FeedList>>>;
9adc69d514 2026-03-25  108: 
9171c791eb 2021-11-13  109: #[derive(Clone)]
9171c791eb 2021-11-13  110: pub struct Core {
9c4f09193a 2026-01-09  111: 	pub tg: Tg,
0340541002 2025-04-24  112: 	pub db: Db,
9adc69d514 2026-03-25  113: 	pub feeds: Arc<Mutex<UserCache>>,
7393d62235 2026-01-07  114: 	running: Arc<Mutex<HashSet<i32>>>,
45e34762e4 2023-05-28  115: 	http_client: reqwest::Client,
dc7c43b010 2026-01-01  116: }
dc7c43b010 2026-01-01  117: 
dc7c43b010 2026-01-01  118: pub struct Post {
dc7c43b010 2026-01-01  119: 	uri: String,
9c4f09193a 2026-01-09  120: 	_title: String,
9c4f09193a 2026-01-09  121: 	_authors: String,
9c4f09193a 2026-01-09  122: 	_summary: String,
9171c791eb 2021-11-13  123: }
9171c791eb 2021-11-13  124: 
9171c791eb 2021-11-13  125: impl Core {
7393d62235 2026-01-07  126: 	/// Create a Core instance from configuration and start its background autofetch loop.
7393d62235 2026-01-07  127: 	///
7393d62235 2026-01-07  128: 	/// The provided `settings` must include:
fabcca1eaf 2026-01-09  129: 	/// - `owner` (integer): default chat id to use as the owner/destination,
7393d62235 2026-01-07  130: 	/// - `api_key` (string): Telegram bot API key,
7393d62235 2026-01-07  131: 	/// - `api_gateway` (string): Telegram API gateway host,
7393d62235 2026-01-07  132: 	/// - `pg` (string): PostgreSQL connection string,
7393d62235 2026-01-07  133: 	/// - optional `proxy` (string): proxy URL for the HTTP client.
7393d62235 2026-01-07  134: 	///
7393d62235 2026-01-07  135: 	/// On success returns an initialized `Core` with Telegram and HTTP clients, database connection,
7393d62235 2026-01-07  136: 	/// an empty running set for per-id tokens, and a spawned background task that periodically runs
7393d62235 2026-01-07  137: 	/// `autofetch`. If any required setting is missing or initialization fails, an error is returned.
0340541002 2025-04-24  138: 	pub async fn new(settings: config::Config) -> Result<Core> {
45e34762e4 2023-05-28  139: 		let mut client = reqwest::Client::builder();
9d8a6738fd 2023-07-30  140: 		if let Ok(proxy) = settings.get_string("proxy") {
44575a91d3 2025-07-09  141: 			let proxy = reqwest::Proxy::all(proxy).stack()?;
45e34762e4 2023-05-28  142: 			client = client.proxy(proxy);
45e34762e4 2023-05-28  143: 		}
9c4f09193a 2026-01-09  144: 
0340541002 2025-04-24  145: 		let core = Core {
9c4f09193a 2026-01-09  146: 			tg: Tg::new(&settings).await.stack()?,
44575a91d3 2025-07-09  147: 			db: Db::new(&settings.get_string("pg").stack()?)?,
9adc69d514 2026-03-25  148: 			feeds: Arc::new(Mutex::new(TtlCache::new(10000))),
7393d62235 2026-01-07  149: 			running: Arc::new(Mutex::new(HashSet::new())),
9c4f09193a 2026-01-09  150: 			http_client: client.build().stack()?,
0340541002 2025-04-24  151: 		};
9c4f09193a 2026-01-09  152: 
bb89b6fab8 2025-06-15  153: 		let clone = core.clone();
dc7c43b010 2026-01-01  154: 		smol::spawn(Compat::new(async move {
26339860ce 2022-02-13  155: 			loop {
26339860ce 2022-02-13  156: 				let delay = match &clone.autofetch().await {
26339860ce 2022-02-13  157: 					Err(err) => {
9adc69d514 2026-03-25  158: 						if let Err(err) = clone.tg.send(MyMessage::html(format!("🛑 {err}"))).await {
e624ef9d66 2025-04-20  159: 							eprintln!("Autofetch error: {err:?}");
26339860ce 2022-02-13  160: 						};
cb86e770f9 2022-03-15  161: 						std::time::Duration::from_secs(60)
26339860ce 2022-02-13  162: 					},
26339860ce 2022-02-13  163: 					Ok(time) => *time,
9171c791eb 2021-11-13  164: 				};
dc7c43b010 2026-01-01  165: 				Timer::after(delay).await;
9171c791eb 2021-11-13  166: 			}
dc7c43b010 2026-01-01  167: 		})).detach();
9171c791eb 2021-11-13  168: 		Ok(core)
9171c791eb 2021-11-13  169: 	}
9171c791eb 2021-11-13  170: 
7393d62235 2026-01-07  171: 	/// 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  172: 	///
7393d62235 2026-01-07  173: 	/// 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  174: 	/// 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  175: 	/// 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  176: 	/// channel (when `real` is true) or the source owner (when `real` is false), and persists posted entries so they are
7393d62235 2026-01-07  177: 	/// not reposted later.
7393d62235 2026-01-07  178: 	///
7393d62235 2026-01-07  179: 	/// Parameters:
7393d62235 2026-01-07  180: 	/// - `id`: Identifier of the source to check.
7393d62235 2026-01-07  181: 	/// - `real`: When `true`, send posts to the source's channel; when `false`, send to the source owner.
7393d62235 2026-01-07  182: 	/// - `last_scrape`: Optional timestamp used to set the `If-Modified-Since` header for the HTTP request.
7393d62235 2026-01-07  183: 	///
7393d62235 2026-01-07  184: 	/// # Returns
7393d62235 2026-01-07  185: 	///
7393d62235 2026-01-07  186: 	/// `Posted: N` where `N` is the number of posts processed and sent.
acb0a4ac54 2025-09-28  187: 	pub async fn check (&self, id: i32, real: bool, last_scrape: Option<DateTime<Local>>) -> Result<String> {
44575a91d3 2025-07-09  188: 		let mut posted: i32 = 0;
44575a91d3 2025-07-09  189: 		let mut conn = self.db.begin().await.stack()?;
44575a91d3 2025-07-09  190: 
7393d62235 2026-01-07  191: 		let _token = Token::new(&self.running, id).await.stack()?;
9c4f09193a 2026-01-09  192: 		let source = conn.get_source(id, self.tg.owner).await.stack()?;
7393d62235 2026-01-07  193: 		conn.set_scrape(id).await.stack()?;
7393d62235 2026-01-07  194: 		let destination = ChatPeerId::from(match real {
7393d62235 2026-01-07  195: 			true => source.channel_id,
7393d62235 2026-01-07  196: 			false => source.owner,
7393d62235 2026-01-07  197: 		});
7393d62235 2026-01-07  198: 		let mut this_fetch: Option<DateTime<chrono::FixedOffset>> = None;
7393d62235 2026-01-07  199: 		let mut posts: BTreeMap<DateTime<chrono::FixedOffset>, Post> = BTreeMap::new();
7393d62235 2026-01-07  200: 
7393d62235 2026-01-07  201: 		let mut builder = self.http_client.get(&source.url);
7393d62235 2026-01-07  202: 		if let Some(last_scrape) = last_scrape {
7393d62235 2026-01-07  203: 			builder = builder.header(LAST_MODIFIED, last_scrape.to_rfc2822());
7393d62235 2026-01-07  204: 		};
7393d62235 2026-01-07  205: 		let response = builder.send().await.stack()?;
7393d62235 2026-01-07  206: 		#[cfg(debug_assertions)]
7393d62235 2026-01-07  207: 		{
9c4f09193a 2026-01-09  208: 			use reqwest::header::{
9c4f09193a 2026-01-09  209: 				CACHE_CONTROL,
9c4f09193a 2026-01-09  210: 				EXPIRES,
9c4f09193a 2026-01-09  211: 			};
7393d62235 2026-01-07  212: 			let headers = response.headers();
7393d62235 2026-01-07  213: 			let expires = headers.get(EXPIRES);
7393d62235 2026-01-07  214: 			let cache = headers.get(CACHE_CONTROL);
7393d62235 2026-01-07  215: 			if expires.is_some() || cache.is_some() {
7393d62235 2026-01-07  216: 				println!("{} {} {:?} {:?} {:?}", Local::now().to_rfc2822(), &source.url, last_scrape, expires, cache);
7393d62235 2026-01-07  217: 			}
7393d62235 2026-01-07  218: 		}
7393d62235 2026-01-07  219: 		let status = response.status();
7393d62235 2026-01-07  220: 		let content = response.bytes().await.stack()?;
7393d62235 2026-01-07  221: 		match rss::Channel::read_from(&content[..]) {
7393d62235 2026-01-07  222: 			Ok(feed) => {
7393d62235 2026-01-07  223: 				for item in feed.items() {
7393d62235 2026-01-07  224: 					if let Some(link) = item.link() {
7393d62235 2026-01-07  225: 						let date = match item.pub_date() {
7393d62235 2026-01-07  226: 							Some(feed_date) => DateTime::parse_from_rfc2822(feed_date),
7393d62235 2026-01-07  227: 							None => DateTime::parse_from_rfc3339(match item.dublin_core_ext() {
7393d62235 2026-01-07  228: 								Some(ext) => {
7393d62235 2026-01-07  229: 									let dates = ext.dates();
7393d62235 2026-01-07  230: 									if dates.is_empty() {
7393d62235 2026-01-07  231: 										bail!("Feed item has Dublin Core extension but no dates.")
7393d62235 2026-01-07  232: 									} else {
7393d62235 2026-01-07  233: 										&dates[0]
7393d62235 2026-01-07  234: 									}
7393d62235 2026-01-07  235: 								},
7393d62235 2026-01-07  236: 								None => bail!("Feed item misses posting date."),
7393d62235 2026-01-07  237: 							}),
7393d62235 2026-01-07  238: 						}.stack()?;
7393d62235 2026-01-07  239: 						posts.insert(date, Post{
9c4f09193a 2026-01-09  240: 							uri: link.to_string(),
9c4f09193a 2026-01-09  241: 							_title: item.title().unwrap_or("").to_string(),
9c4f09193a 2026-01-09  242: 							_authors: item.author().unwrap_or("").to_string(),
9c4f09193a 2026-01-09  243: 							_summary: item.content().unwrap_or("").to_string(),
7393d62235 2026-01-07  244: 						});
7393d62235 2026-01-07  245: 					}
7393d62235 2026-01-07  246: 				};
7393d62235 2026-01-07  247: 			},
7393d62235 2026-01-07  248: 			Err(err) => match err {
7393d62235 2026-01-07  249: 				rss::Error::InvalidStartTag => {
7393d62235 2026-01-07  250: 					match atom_syndication::Feed::read_from(&content[..]) {
7393d62235 2026-01-07  251: 						Ok(feed) => {
7393d62235 2026-01-07  252: 							for item in feed.entries() {
7393d62235 2026-01-07  253: 								let date = item.published()
7393d62235 2026-01-07  254: 									.stack_err("Feed item missing publishing date.")?;
7393d62235 2026-01-07  255: 								let uri = {
7393d62235 2026-01-07  256: 									let links = item.links();
7393d62235 2026-01-07  257: 									if links.is_empty() {
7393d62235 2026-01-07  258: 										bail!("Feed item missing post links.");
7393d62235 2026-01-07  259: 									} else {
7393d62235 2026-01-07  260: 										links[0].href().to_string()
7393d62235 2026-01-07  261: 									}
7393d62235 2026-01-07  262: 								};
9c4f09193a 2026-01-09  263: 								let _authors = item.authors().iter().map(|x| format!("{} <{:?}>", x.name(), x.email())).collect::<Vec<String>>().join(", ");
9c4f09193a 2026-01-09  264: 								let _summary = if let Some(sum) = item.summary() { sum.value.clone() } else { String::new() };
7393d62235 2026-01-07  265: 								posts.insert(*date, Post{
7393d62235 2026-01-07  266: 									uri,
9c4f09193a 2026-01-09  267: 									_title: item.title().to_string(),
9c4f09193a 2026-01-09  268: 									_authors,
9c4f09193a 2026-01-09  269: 									_summary,
7393d62235 2026-01-07  270: 								});
7393d62235 2026-01-07  271: 							};
7393d62235 2026-01-07  272: 						},
7393d62235 2026-01-07  273: 						Err(err) => {
7393d62235 2026-01-07  274: 							bail!("Unsupported or mangled content:\n{:?}\n{err}\n{status:#?}\n", &source.url)
7393d62235 2026-01-07  275: 						},
7393d62235 2026-01-07  276: 					}
7393d62235 2026-01-07  277: 				},
7393d62235 2026-01-07  278: 				rss::Error::Eof => (),
7393d62235 2026-01-07  279: 				_ => bail!("Unsupported or mangled content:\n{:?}\n{err}\n{status:#?}\n", &source.url)
7393d62235 2026-01-07  280: 			}
7393d62235 2026-01-07  281: 		};
7393d62235 2026-01-07  282: 		for (date, post) in posts.iter() {
7393d62235 2026-01-07  283: 			let post_url: Cow<str> = match source.url_re {
7393d62235 2026-01-07  284: 				Some(ref x) => sedregex::ReplaceCommand::new(x).stack()?.execute(&post.uri),
7393d62235 2026-01-07  285: 				None => post.uri.clone().into(),
7393d62235 2026-01-07  286: 			};
7393d62235 2026-01-07  287: 			if ! conn.exists(&post_url, id).await.stack()? {
7393d62235 2026-01-07  288: 				if this_fetch.is_none() || *date > this_fetch.unwrap() {
7393d62235 2026-01-07  289: 					this_fetch = Some(*date);
7393d62235 2026-01-07  290: 				};
9adc69d514 2026-03-25  291: 				self.tg.send(MyMessage::html_to(match &source.iv_hash {
7393d62235 2026-01-07  292: 					Some(hash) => format!("<a href=\"https://t.me/iv?url={post_url}&rhash={hash}\"> </a>{post_url}"),
7393d62235 2026-01-07  293: 					None => format!("{post_url}"),
9adc69d514 2026-03-25  294: 				}, destination)).await.stack()?;
7393d62235 2026-01-07  295: 				conn.add_post(id, date, &post_url).await.stack()?;
fae13a0e55 2025-06-28  296: 				posted += 1;
fae13a0e55 2025-06-28  297: 			};
fae13a0e55 2025-06-28  298: 		};
7393d62235 2026-01-07  299: 		posts.clear();
0340541002 2025-04-24  300: 		Ok(format!("Posted: {posted}"))
0340541002 2025-04-24  301: 	}
0340541002 2025-04-24  302: 
fabcca1eaf 2026-01-09  303: 	/// Determine the delay until the next scheduled fetch and spawn background checks for any overdue sources.
fabcca1eaf 2026-01-09  304: 	///
fabcca1eaf 2026-01-09  305: 	/// This scans the database queue, spawns background tasks to run checks for sources whose `next_fetch`
fabcca1eaf 2026-01-09  306: 	/// is in the past (each task uses a Core clone with the appropriate owner), and computes the shortest
fabcca1eaf 2026-01-09  307: 	/// duration until the next `next_fetch`.
bb89b6fab8 2025-06-15  308: 	async fn autofetch(&self) -> Result<std::time::Duration> {
9910c2209c 2023-08-04  309: 		let mut delay = chrono::Duration::minutes(1);
9910c2209c 2023-08-04  310: 		let now = chrono::Local::now();
bb89b6fab8 2025-06-15  311: 		let queue = {
44575a91d3 2025-07-09  312: 			let mut conn = self.db.begin().await.stack()?;
44575a91d3 2025-07-09  313: 			conn.get_queue().await.stack()?
bb89b6fab8 2025-06-15  314: 		};
bb89b6fab8 2025-06-15  315: 		for row in queue {
9910c2209c 2023-08-04  316: 			if let Some(next_fetch) = row.next_fetch {
9910c2209c 2023-08-04  317: 				if next_fetch < now {
acb0a4ac54 2025-09-28  318: 					if let (Some(owner), Some(source_id), last_scrape) = (row.owner, row.source_id, row.last_scrape) {
bb89b6fab8 2025-06-15  319: 						let clone = Core {
9c4f09193a 2026-01-09  320: 							tg: self.tg.with_owner(owner),
9910c2209c 2023-08-04  321: 							..self.clone()
9910c2209c 2023-08-04  322: 						};
b4af85e31b 2025-06-29  323: 						let source = {
44575a91d3 2025-07-09  324: 							let mut conn = self.db.begin().await.stack()?;
b4af85e31b 2025-06-29  325: 							match conn.get_one(owner, source_id).await {
b4af85e31b 2025-06-29  326: 								Ok(Some(source)) => source.to_string(),
7393d62235 2026-01-07  327: 								Ok(None) => "Source not found in database?".to_string(),
b4af85e31b 2025-06-29  328: 								Err(err) => format!("Failed to fetch source data:\n{err}"),
b4af85e31b 2025-06-29  329: 							}
b4af85e31b 2025-06-29  330: 						};
dc7c43b010 2026-01-01  331: 						smol::spawn(Compat::new(async move {
9c4f09193a 2026-01-09  332: 							if let Err(err) = clone.check(source_id, true, Some(last_scrape)).await
3fd8c40aa8 2026-03-30  333: 								&& let Err(err) = clone.tg.send(MyMessage::html(format!("🛑 {source}\n<pre>{}</pre>", &err.to_string()))).await
9c4f09193a 2026-01-09  334: 							{
9c4f09193a 2026-01-09  335: 								eprintln!("Check error: {err}");
dc7c43b010 2026-01-01  336: 							};
dc7c43b010 2026-01-01  337: 						})).detach();
9910c2209c 2023-08-04  338: 					}
9910c2209c 2023-08-04  339: 				} else if next_fetch - now < delay {
9910c2209c 2023-08-04  340: 					delay = next_fetch - now;
9910c2209c 2023-08-04  341: 				}
9910c2209c 2023-08-04  342: 			}
9910c2209c 2023-08-04  343: 		};
44575a91d3 2025-07-09  344: 		delay.to_std().stack()
b4af85e31b 2025-06-29  345: 	}
b4af85e31b 2025-06-29  346: 
9adc69d514 2026-03-25  347: 	/// Displays full list of managed channels for specified user
b4af85e31b 2025-06-29  348: 	pub async fn list (&self, owner: UserPeerId) -> Result<String> {
b4af85e31b 2025-06-29  349: 		let mut reply: Vec<String> = vec![];
b4af85e31b 2025-06-29  350: 		reply.push("Channels:".into());
44575a91d3 2025-07-09  351: 		let mut conn = self.db.begin().await.stack()?;
44575a91d3 2025-07-09  352: 		for row in conn.get_list(owner).await.stack()? {
b4af85e31b 2025-06-29  353: 			reply.push(row.to_string());
b4af85e31b 2025-06-29  354: 		};
b4af85e31b 2025-06-29  355: 		Ok(reply.join("\n\n"))
9adc69d514 2026-03-25  356: 	}
9adc69d514 2026-03-25  357: 
9adc69d514 2026-03-25  358: 	/// Returns current cached list of feed for requested user, or loads data from database
3fd8c40aa8 2026-03-30  359: 	pub async fn get_feeds (&self, owner: i64) -> Result<Arc<Mutex<FeedList>>> {
9adc69d514 2026-03-25  360: 		let mut feeds = self.feeds.lock_arc().await;
9adc69d514 2026-03-25  361: 		Ok(match feeds.get(&owner) {
9adc69d514 2026-03-25  362: 			None => {
374eadef45 2026-03-28  363: 				let mut conn = self.db.begin().await.stack()?;
9adc69d514 2026-03-25  364: 				let feed_list = conn.get_feeds(owner).await.stack()?;
9adc69d514 2026-03-25  365: 				let mut map = HashMap::new();
9adc69d514 2026-03-25  366: 				for feed in feed_list {
9adc69d514 2026-03-25  367: 					map.insert(feed.source_id, feed.channel);
9adc69d514 2026-03-25  368: 				};
9adc69d514 2026-03-25  369: 				let res = Arc::new(Mutex::new(map));
9adc69d514 2026-03-25  370: 				feeds.insert(owner, res.clone(), Duration::from_secs(60 * 60 * 3));
9adc69d514 2026-03-25  371: 				res
9adc69d514 2026-03-25  372: 			},
9adc69d514 2026-03-25  373: 			Some(res) => res.clone(),
9adc69d514 2026-03-25  374: 		})
9adc69d514 2026-03-25  375: 	}
9adc69d514 2026-03-25  376: 
9adc69d514 2026-03-25  377: 	/// Adds feed to cached list
9adc69d514 2026-03-25  378: 	pub async fn add_feed (&self, owner: i64, source_id: i32, channel: String) -> Result<()> {
9adc69d514 2026-03-25  379: 		let mut inserted = true;
9adc69d514 2026-03-25  380: 		{
9adc69d514 2026-03-25  381: 			let mut feeds = self.feeds.lock_arc().await;
9adc69d514 2026-03-25  382: 			if let Some(feed) = feeds.get_mut(&owner) {
9adc69d514 2026-03-25  383: 				let mut feed = feed.lock_arc().await;
9adc69d514 2026-03-25  384: 				feed.insert(source_id, channel);
9adc69d514 2026-03-25  385: 			} else {
9adc69d514 2026-03-25  386: 				inserted = false;
9adc69d514 2026-03-25  387: 			}
9adc69d514 2026-03-25  388: 		}
374eadef45 2026-03-28  389: 		// in case insert failed - we miss the entry we needed to expand, reload everything from
374eadef45 2026-03-28  390: 		// database
9adc69d514 2026-03-25  391: 		if !inserted {
9adc69d514 2026-03-25  392: 			self.get_feeds(owner).await.stack()?;
9adc69d514 2026-03-25  393: 		}
9adc69d514 2026-03-25  394: 		Ok(())
9adc69d514 2026-03-25  395: 	}
9adc69d514 2026-03-25  396: 
9adc69d514 2026-03-25  397: 	/// Removes feed from cached list
9adc69d514 2026-03-25  398: 	pub async fn rm_feed (&self, owner: i64, source_id: &i32) -> Result<()> {
9adc69d514 2026-03-25  399: 		let mut dropped = false;
9adc69d514 2026-03-25  400: 		{
9adc69d514 2026-03-25  401: 			let mut feeds = self.feeds.lock_arc().await;
9adc69d514 2026-03-25  402: 			if let Some(feed) = feeds.get_mut(&owner) {
9adc69d514 2026-03-25  403: 				let mut feed = feed.lock_arc().await;
9adc69d514 2026-03-25  404: 				feed.remove(source_id);
9adc69d514 2026-03-25  405: 				dropped = true;
9adc69d514 2026-03-25  406: 			}
9adc69d514 2026-03-25  407: 		}
374eadef45 2026-03-28  408: 		// in case we failed to found feed we need to remove - just reload everything from database
9adc69d514 2026-03-25  409: 		if !dropped {
9adc69d514 2026-03-25  410: 			self.get_feeds(owner).await.stack()?;
9adc69d514 2026-03-25  411: 		}
374eadef45 2026-03-28  412: 		Ok(())
374eadef45 2026-03-28  413: 	}
3fd8c40aa8 2026-03-30  414: 
3fd8c40aa8 2026-03-30  415: 	pub async fn cb (&self, query: &CallbackQuery, cb: &str) -> Result<()> {
3fd8c40aa8 2026-03-30  416: 		let cb: Callback = toml::from_str(cb).stack()?;
3fd8c40aa8 2026-03-30  417: 		todo!();
3fd8c40aa8 2026-03-30  418: 		Ok(())
3fd8c40aa8 2026-03-30  419: 	}
bb89b6fab8 2025-06-15  420: }
bb89b6fab8 2025-06-15  421: 
bb89b6fab8 2025-06-15  422: impl UpdateHandler for Core {
fabcca1eaf 2026-01-09  423: 	/// Dispatches an incoming Telegram update to a matching command handler and reports handler errors to the originating chat.
fabcca1eaf 2026-01-09  424: 	///
fabcca1eaf 2026-01-09  425: 	/// This method inspects the update; if it contains a message that can be parsed as a bot command,
fabcca1eaf 2026-01-09  426: 	/// it executes the corresponding command handler. If the handler returns an error, the error text
13265e7697 2026-01-10  427: 	/// is sent back to the message's chat using MarkdownV2 formatting. Unknown commands produce an error
fabcca1eaf 2026-01-09  428: 	/// which is also reported to the chat.
3fd8c40aa8 2026-03-30  429: 	async fn handle (&self, update: Update) -> () {
3fd8c40aa8 2026-03-30  430: 		match update.update_type {
3fd8c40aa8 2026-03-30  431: 			UpdateType::Message(msg) => {
3fd8c40aa8 2026-03-30  432: 				if let Ok(cmd) = Command::try_from(*msg) {
3fd8c40aa8 2026-03-30  433: 					let msg = cmd.get_message();
3fd8c40aa8 2026-03-30  434: 					let words = cmd.get_args();
3fd8c40aa8 2026-03-30  435: 					let command = cmd.get_name();
3fd8c40aa8 2026-03-30  436: 					let res = match command {
3fd8c40aa8 2026-03-30  437: 						"/check" | "/clean" | "/enable" | "/delete" | "/disable" => command::command(self, command, msg, words).await,
3fd8c40aa8 2026-03-30  438: 						"/start" => command::start(self, msg).await,
3fd8c40aa8 2026-03-30  439: 						"/list" => command::list(self, msg).await,
3fd8c40aa8 2026-03-30  440: 						"/test" => command::test(self, msg).await,
3fd8c40aa8 2026-03-30  441: 						"/add" | "/update" => command::update(self, command, msg, words).await,
3fd8c40aa8 2026-03-30  442: 						any => Err(anyhow!("Unknown command: {any}")),
3fd8c40aa8 2026-03-30  443: 					};
3fd8c40aa8 2026-03-30  444: 					if let Err(err) = res 
3fd8c40aa8 2026-03-30  445: 						&& let Err(err2) = self.tg.send(MyMessage::html_to(
3fd8c40aa8 2026-03-30  446: 							format!("#error<pre>{err}</pre>"),
3fd8c40aa8 2026-03-30  447: 							msg.chat.get_id(),
3fd8c40aa8 2026-03-30  448: 						)).await
3fd8c40aa8 2026-03-30  449: 					{
3fd8c40aa8 2026-03-30  450: 						dbg!(err2);
3fd8c40aa8 2026-03-30  451: 					}
3fd8c40aa8 2026-03-30  452: 				} else {
3fd8c40aa8 2026-03-30  453: 					// not a command
3fd8c40aa8 2026-03-30  454: 				}
3fd8c40aa8 2026-03-30  455: 			},
3fd8c40aa8 2026-03-30  456: 			UpdateType::CallbackQuery(query) => {
3fd8c40aa8 2026-03-30  457: 				if let Some(ref cb) = query.data
3fd8c40aa8 2026-03-30  458: 					&& let Err(err) = self.cb(&query, cb).await
3fd8c40aa8 2026-03-30  459: 				{
3fd8c40aa8 2026-03-30  460: 					if let Err(err) = self.tg.answer_cb(query.id, err.to_string()).await {
3fd8c40aa8 2026-03-30  461: 						println!("{err:?}");
3fd8c40aa8 2026-03-30  462: 					}
3fd8c40aa8 2026-03-30  463: 				}
3fd8c40aa8 2026-03-30  464: 			},
3fd8c40aa8 2026-03-30  465: 			_ => {
3fd8c40aa8 2026-03-30  466: 				println!("Unhandled UpdateKind:\n{update:?}")
3fd8c40aa8 2026-03-30  467: 			},
3fd8c40aa8 2026-03-30  468: 		}
e624ef9d66 2025-04-20  469: 	}
9171c791eb 2021-11-13  470: }