cargo fmt, version bump

master v0.4.4
Ondřej Hruška 3 years ago
parent cb6724baab
commit e77c8157ae
Signed by: MightyPork
GPG Key ID: 2C5FD5035250423D
  1. 4
      CHANGELOG.md
  2. 2
      Cargo.lock
  3. 2
      Cargo.toml
  4. 33
      src/group_handler/handle_mention.rs
  5. 5
      src/group_handler/mod.rs
  6. 6
      src/main.rs
  7. 8
      src/store/common_config.rs
  8. 28
      src/store/group_config.rs
  9. 14
      src/store/mod.rs
  10. 17
      src/tr.rs

@ -1,5 +1,9 @@
# Changelog # Changelog
## v0.4.4
- Fix some failing tests
- Lowercase the domain when normalizing an account
## v0.4.3 ## v0.4.3
- Fix hashtag not working in a mention - Fix hashtag not working in a mention

2
Cargo.lock generated

@ -328,7 +328,7 @@ checksum = "e88a8acf291dafb59c2d96e8f59828f3838bb1a70398823ade51a84de6a6deed"
[[package]] [[package]]
name = "fedigroups" name = "fedigroups"
version = "0.4.3" version = "0.4.4"
dependencies = [ dependencies = [
"anyhow", "anyhow",
"clap", "clap",

@ -1,6 +1,6 @@
[package] [package]
name = "fedigroups" name = "fedigroups"
version = "0.4.3" version = "0.4.4"
authors = ["Ondřej Hruška <ondra@ondrovo.com>"] authors = ["Ondřej Hruška <ondra@ondrovo.com>"]
edition = "2018" edition = "2018"
publish = false publish = false

@ -2,25 +2,21 @@ use std::cmp::Ordering;
use std::collections::HashSet; use std::collections::HashSet;
use std::time::Duration; use std::time::Duration;
use elefren::{FediClient, SearchType, StatusBuilder};
use elefren::entities::account::Account; use elefren::entities::account::Account;
use elefren::entities::prelude::Status; use elefren::entities::prelude::Status;
use elefren::status_builder::Visibility; use elefren::status_builder::Visibility;
use elefren::{FediClient, SearchType, StatusBuilder};
use crate::command::{RE_NOBOT_TAG, StatusCommand}; use crate::command::{StatusCommand, RE_NOBOT_TAG};
use crate::error::GroupError; use crate::error::GroupError;
use crate::group_handler::GroupHandle; use crate::group_handler::GroupHandle;
use crate::store::CommonConfig;
use crate::store::group_config::GroupConfig; use crate::store::group_config::GroupConfig;
use crate::store::CommonConfig;
use crate::tr::TranslationTable; use crate::tr::TranslationTable;
use crate::utils; use crate::utils;
use crate::utils::{LogError, normalize_acct, VisExt}; use crate::utils::{normalize_acct, LogError, VisExt};
use crate::{ use crate::{grp_debug, grp_info, grp_warn};
grp_debug,
grp_warn,
grp_info
};
pub struct ProcessMention<'a> { pub struct ProcessMention<'a> {
status: Status, status: Status,
@ -51,7 +47,7 @@ impl<'a> ProcessMention<'a> {
self.client self.client
.search_v2(acct, !followed, Some(SearchType::Accounts), Some(1), followed), .search_v2(acct, !followed, Some(SearchType::Accounts), Some(1), followed),
) )
.await .await
{ {
Err(_) => { Err(_) => {
grp_warn!(self, "Account lookup timeout!"); grp_warn!(self, "Account lookup timeout!");
@ -98,9 +94,9 @@ impl<'a> ProcessMention<'a> {
let mut to_add = String::new(); let mut to_add = String::new();
for m in members { for m in members {
to_add.push_str(&if admins.contains(&m) { to_add.push_str(&if admins.contains(&m) {
crate::tr!(self, "user_list_entry_admin", user=m) crate::tr!(self, "user_list_entry_admin", user = m)
} else { } else {
crate::tr!(self, "user_list_entry", user=m) crate::tr!(self, "user_list_entry", user = m)
}); });
} }
self.add_reply(&to_add); self.add_reply(&to_add);
@ -149,8 +145,7 @@ impl<'a> ProcessMention<'a> {
} }
async fn reblog_status(&self) { async fn reblog_status(&self) {
self.client.reblog(&self.status.id) self.client.reblog(&self.status.id).await.log_error("Failed to reblog status");
.await.log_error("Failed to reblog status");
self.delay_after_post().await; self.delay_after_post().await;
} }
@ -419,7 +414,7 @@ impl<'a> ProcessMention<'a> {
async fn cmd_undo(&mut self) -> Result<(), GroupError> { async fn cmd_undo(&mut self) -> Result<(), GroupError> {
if let (Some(ref parent_account_id), Some(ref parent_status_id)) = if let (Some(ref parent_account_id), Some(ref parent_status_id)) =
(&self.status.in_reply_to_account_id, &self.status.in_reply_to_id) (&self.status.in_reply_to_account_id, &self.status.in_reply_to_id)
{ {
if parent_account_id == &self.group_account.id { if parent_account_id == &self.group_account.id {
// This is a post sent by the group user, likely an announcement. // This is a post sent by the group user, likely an announcement.
@ -675,7 +670,11 @@ impl<'a> ProcessMention<'a> {
}; };
if self.config.is_member_only() { if self.config.is_member_only() {
self.add_reply(crate::tr!(self, "help_group_info_closed", membership = &membership_line)); self.add_reply(crate::tr!(
self,
"help_group_info_closed",
membership = &membership_line
));
} else { } else {
self.add_reply(crate::tr!(self, "help_group_info_open", membership = &membership_line)); self.add_reply(crate::tr!(self, "help_group_info_open", membership = &membership_line));
} }
@ -709,7 +708,7 @@ impl<'a> ProcessMention<'a> {
let mut to_add = String::new(); let mut to_add = String::new();
for t in tags { for t in tags {
to_add.push_str(&crate::tr!(self, "tag_list_entry", tag=t)); to_add.push_str(&crate::tr!(self, "tag_list_entry", tag = t));
} }
self.add_reply(to_add); self.add_reply(to_add);
} }

@ -42,7 +42,7 @@ pub struct GroupInternal {
impl Default for GroupInternal { impl Default for GroupInternal {
fn default() -> Self { fn default() -> Self {
Self { Self {
recently_seen_notif_statuses: VecDeque::new() recently_seen_notif_statuses: VecDeque::new(),
} }
} }
} }
@ -552,8 +552,7 @@ impl GroupHandle {
self.config.set_member(notif_acct, true).log_error("Fail add a member"); self.config.set_member(notif_acct, true).log_error("Fail add a member");
crate::tr!(self, "mention_prefix", user = notif_acct) crate::tr!(self, "mention_prefix", user = notif_acct) + &crate::tr!(self, "welcome_public")
+ &crate::tr!(self, "welcome_public")
}; };
let post = StatusBuilder::new() let post = StatusBuilder::new()

@ -76,10 +76,8 @@ async fn main() -> anyhow::Result<()> {
let default_level = 3; let default_level = 3;
let level = ( let level = (default_level as isize + args.occurrences_of("verbose") as isize
default_level as isize - args.occurrences_of("quiet") as isize)
+ args.occurrences_of("verbose") as isize
- args.occurrences_of("quiet") as isize)
.clamp(0, LEVELS.len() as isize) as usize; .clamp(0, LEVELS.len() as isize) as usize;
env_logger::Builder::new() env_logger::Builder::new()

@ -1,6 +1,6 @@
use std::collections::HashMap;
use crate::store::DEFAULT_LOCALE_NAME; use crate::store::DEFAULT_LOCALE_NAME;
use crate::tr::TranslationTable; use crate::tr::TranslationTable;
use std::collections::HashMap;
#[derive(Debug, Clone, Serialize, Deserialize)] #[derive(Debug, Clone, Serialize, Deserialize)]
#[serde(default, deny_unknown_fields)] #[serde(default, deny_unknown_fields)]
@ -29,7 +29,7 @@ pub struct CommonConfig {
/// This is a work-around for servers that stop sending notifs after a while. /// This is a work-around for servers that stop sending notifs after a while.
pub socket_retire_time_s: f64, pub socket_retire_time_s: f64,
#[serde(skip)] #[serde(skip)]
pub tr : HashMap<String, TranslationTable>, pub tr: HashMap<String, TranslationTable>,
} }
impl Default for CommonConfig { impl Default for CommonConfig {
@ -52,10 +52,10 @@ impl Default for CommonConfig {
} }
impl CommonConfig { impl CommonConfig {
pub fn tr(&self, lang : &str) -> &TranslationTable { pub fn tr(&self, lang: &str) -> &TranslationTable {
match self.tr.get(lang) { match self.tr.get(lang) {
Some(tr) => tr, Some(tr) => tr,
None => self.tr.get(DEFAULT_LOCALE_NAME).expect("default locale is not loaded") None => self.tr.get(DEFAULT_LOCALE_NAME).expect("default locale is not loaded"),
} }
} }
} }

@ -4,7 +4,7 @@ use std::path::{Path, PathBuf};
use elefren::AppData; use elefren::AppData;
use crate::error::GroupError; use crate::error::GroupError;
use crate::store::{DEFAULT_LOCALE_NAME, CommonConfig}; use crate::store::{CommonConfig, DEFAULT_LOCALE_NAME};
use crate::tr::TranslationTable; use crate::tr::TranslationTable;
#[derive(Debug, Clone, Serialize, Deserialize)] #[derive(Debug, Clone, Serialize, Deserialize)]
@ -206,7 +206,7 @@ async fn load_locale_override_file(locale_path: impl AsRef<Path>) -> Result<Opti
let locale_path = locale_path.as_ref(); let locale_path = locale_path.as_ref();
if locale_path.is_file() { if locale_path.is_file() {
let f = tokio::fs::read(&locale_path).await?; let f = tokio::fs::read(&locale_path).await?;
let opt : TranslationTable = json5::from_str(&String::from_utf8_lossy(&f))?; let opt: TranslationTable = json5::from_str(&String::from_utf8_lossy(&f))?;
Ok(Some(opt)) Ok(Some(opt))
} else { } else {
Ok(None) Ok(None)
@ -259,7 +259,11 @@ impl GroupConfig {
} }
/// (re)init using new authorization /// (re)init using new authorization
pub(crate) async fn initialize_by_appdata(acct: String, appdata: AppData, group_dir: PathBuf) -> Result<(), GroupError> { pub(crate) async fn initialize_by_appdata(
acct: String,
appdata: AppData,
group_dir: PathBuf,
) -> Result<(), GroupError> {
if !group_dir.is_dir() { if !group_dir.is_dir() {
debug!("Creating group directory"); debug!("Creating group directory");
tokio::fs::create_dir_all(&group_dir).await?; tokio::fs::create_dir_all(&group_dir).await?;
@ -306,12 +310,17 @@ impl GroupConfig {
/* state */ /* state */
let state = load_or_create_state_file(state_path).await?; let state = load_or_create_state_file(state_path).await?;
let g = GroupConfig { config, control, state, _group_tr: TranslationTable::new() }; let g = GroupConfig {
config,
control,
state,
_group_tr: TranslationTable::new(),
};
g.warn_of_bad_config(); g.warn_of_bad_config();
Ok(()) Ok(())
} }
pub(crate) async fn from_dir(group_dir: PathBuf, cc : &CommonConfig) -> Result<Self, GroupError> { pub(crate) async fn from_dir(group_dir: PathBuf, cc: &CommonConfig) -> Result<Self, GroupError> {
let config_path = group_dir.join("config.json"); let config_path = group_dir.join("config.json");
let control_path = group_dir.join("control.json"); let control_path = group_dir.join("control.json");
let state_path = group_dir.join("state.json"); let state_path = group_dir.join("state.json");
@ -338,7 +347,12 @@ impl GroupConfig {
} }
} }
let g = GroupConfig { config, control, state, _group_tr: tr }; let g = GroupConfig {
config,
control,
state,
_group_tr: tr,
};
g.warn_of_bad_config(); g.warn_of_bad_config();
Ok(g) Ok(g)
} }
@ -588,7 +602,7 @@ mod tests {
config: Default::default(), config: Default::default(),
control: Default::default(), control: Default::default(),
state: Default::default(), state: Default::default(),
_group_tr: Default::default() _group_tr: Default::default(),
} }
} }

@ -9,9 +9,9 @@ use crate::group_handler::{GroupHandle, GroupInternal};
pub mod common_config; pub mod common_config;
pub mod group_config; pub mod group_config;
use crate::tr::TranslationTable;
pub use common_config::CommonConfig; pub use common_config::CommonConfig;
pub use group_config::GroupConfig; pub use group_config::GroupConfig;
use crate::tr::TranslationTable;
#[derive(Debug, Default)] #[derive(Debug, Default)]
pub struct ConfigStore { pub struct ConfigStore {
@ -32,8 +32,8 @@ pub struct StoreOptions {
pub store_dir: String, pub store_dir: String,
} }
const DEFAULT_LOCALE_NAME : &str = "en"; const DEFAULT_LOCALE_NAME: &str = "en";
const DEFAULT_LOCALE_JSON : &str = include_str!("../../locales/en.json"); const DEFAULT_LOCALE_JSON: &str = include_str!("../../locales/en.json");
impl ConfigStore { impl ConfigStore {
/// Create a new instance of the store. /// Create a new instance of the store.
@ -214,7 +214,7 @@ impl ConfigStore {
Ok(f) => { Ok(f) => {
let locale_name = path.file_stem().unwrap_or_default().to_string_lossy(); let locale_name = path.file_stem().unwrap_or_default().to_string_lossy();
self.load_locale(&locale_name, &String::from_utf8_lossy(&f), false); self.load_locale(&locale_name, &String::from_utf8_lossy(&f), false);
}, }
Err(e) => { Err(e) => {
error!("Failed to read locale file {}: {}", path.display(), e); error!("Failed to read locale file {}: {}", path.display(), e);
} }
@ -234,10 +234,12 @@ impl ConfigStore {
for (k, v) in def_tr.entries() { for (k, v) in def_tr.entries() {
if !tr.translation_exists(k) { if !tr.translation_exists(k) {
if self.config.validate_locales { if self.config.validate_locales {
warn!("locale \"{}\" is missing \"{}\", default: {:?}", warn!(
"locale \"{}\" is missing \"{}\", default: {:?}",
locale_name, locale_name,
k, k,
def_tr.get_translation_raw(k).unwrap()); def_tr.get_translation_raw(k).unwrap()
);
} }
tr.add_translation(k, v); tr.add_translation(k, v);
} }

@ -2,7 +2,7 @@
use std::collections::HashMap; use std::collections::HashMap;
#[derive(Debug,Clone,Serialize,Deserialize,Default)] #[derive(Debug, Clone, Serialize, Deserialize, Default)]
pub struct TranslationTable { pub struct TranslationTable {
#[serde(flatten)] #[serde(flatten)]
entries: HashMap<String, String>, entries: HashMap<String, String>,
@ -15,24 +15,24 @@ impl TranslationTable {
} }
/// Iterate all entries /// Iterate all entries
pub fn entries(&self) -> impl Iterator<Item=(&String, &String)> { pub fn entries(&self) -> impl Iterator<Item = (&String, &String)> {
self.entries.iter() self.entries.iter()
} }
pub fn get_translation_raw(&self, key : &str) -> Option<&str> { pub fn get_translation_raw(&self, key: &str) -> Option<&str> {
self.entries.get(key).map(|s| s.as_str()) self.entries.get(key).map(|s| s.as_str())
} }
/// Add or update a translation /// Add or update a translation
pub fn add_translation(&mut self, key : impl ToString, subs : impl ToString) { pub fn add_translation(&mut self, key: impl ToString, subs: impl ToString) {
self.entries.insert(key.to_string(), subs.to_string()); self.entries.insert(key.to_string(), subs.to_string());
} }
pub fn translation_exists(&self, key : &str) -> bool { pub fn translation_exists(&self, key: &str) -> bool {
self.entries.contains_key(key) self.entries.contains_key(key)
} }
pub fn subs(&self, key : &str, substitutions: &[&str]) -> String { pub fn subs(&self, key: &str, substitutions: &[&str]) -> String {
match self.entries.get(key) { match self.entries.get(key) {
Some(s) => { Some(s) => {
// TODO optimize // TODO optimize
@ -45,7 +45,7 @@ impl TranslationTable {
} }
s s
} }
None => key.to_owned() None => key.to_owned(),
} }
} }
} }
@ -56,12 +56,11 @@ mod tests {
#[test] #[test]
fn deser_tr_table() { fn deser_tr_table() {
let tr : TranslationTable = serde_json::from_str(r#"{"foo":"bar"}"#).unwrap(); let tr: TranslationTable = serde_json::from_str(r#"{"foo":"bar"}"#).unwrap();
assert_eq!("bar", tr.subs("foo", &[])); assert_eq!("bar", tr.subs("foo", &[]));
assert_eq!("xxx", tr.subs("xxx", &[])); assert_eq!("xxx", tr.subs("xxx", &[]));
} }
#[test] #[test]
fn subs() { fn subs() {
let mut tr = TranslationTable::new(); let mut tr = TranslationTable::new();

Loading…
Cancel
Save