pub mod easter;
pub mod error;
pub mod lunar;
pub mod merge;
pub mod schema;
pub use error::CountryPackError;
pub use schema::CountryPack;
use std::collections::HashMap;
use std::fmt;
use std::path::Path;
use merge::{apply_override, deep_merge};
const DEFAULT_PACK_JSON: &str = include_str!("../../country-packs/_default.json");
const US_PACK_JSON: &str = include_str!("../../country-packs/US.json");
const DE_PACK_JSON: &str = include_str!("../../country-packs/DE.json");
const GB_PACK_JSON: &str = include_str!("../../country-packs/GB.json");
const FR_PACK_JSON: &str = include_str!("../../country-packs/FR.json");
const JP_PACK_JSON: &str = include_str!("../../country-packs/JP.json");
const CN_PACK_JSON: &str = include_str!("../../country-packs/CN.json");
const IN_PACK_JSON: &str = include_str!("../../country-packs/IN.json");
const IT_PACK_JSON: &str = include_str!("../../country-packs/IT.json");
const ES_PACK_JSON: &str = include_str!("../../country-packs/ES.json");
const CA_PACK_JSON: &str = include_str!("../../country-packs/CA.json");
#[derive(Debug, Clone, PartialEq, Eq, Hash)]
pub struct CountryCode(String);
impl CountryCode {
pub fn new(code: &str) -> Result<Self, CountryPackError> {
let code = code.trim().to_uppercase();
if code == "_DEFAULT" {
return Ok(Self(code));
}
if code.len() == 2 && code.chars().all(|c| c.is_ascii_uppercase()) {
Ok(Self(code))
} else {
Err(CountryPackError::InvalidCountryCode(code))
}
}
pub fn as_str(&self) -> &str {
&self.0
}
}
impl fmt::Display for CountryCode {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
f.write_str(&self.0)
}
}
pub struct CountryPackRegistry {
default_pack: CountryPack,
packs: HashMap<CountryCode, CountryPack>,
}
impl CountryPackRegistry {
pub fn new(
external_dir: Option<&Path>,
overrides: &HashMap<String, serde_json::Value>,
) -> Result<Self, CountryPackError> {
let mut registry = Self::builtin_only()?;
if let Some(dir) = external_dir {
registry.load_external_dir(dir)?;
}
for (code_str, value) in overrides {
let code = CountryCode::new(code_str)?;
if let Some(pack) = registry.packs.get_mut(&code) {
apply_override(pack, value)?;
} else {
let mut pack = registry.default_pack.clone();
pack.country_code = code_str.to_uppercase();
apply_override(&mut pack, value)?;
registry.packs.insert(code, pack);
}
}
Ok(registry)
}
pub fn builtin_only() -> Result<Self, CountryPackError> {
let default_pack: CountryPack = serde_json::from_str(DEFAULT_PACK_JSON)
.map_err(|e| CountryPackError::parse(format!("_default.json: {e}")))?;
let mut packs = HashMap::new();
for (json, label) in [
(US_PACK_JSON, "US.json"),
(DE_PACK_JSON, "DE.json"),
(GB_PACK_JSON, "GB.json"),
(FR_PACK_JSON, "FR.json"),
(JP_PACK_JSON, "JP.json"),
(CN_PACK_JSON, "CN.json"),
(IN_PACK_JSON, "IN.json"),
(IT_PACK_JSON, "IT.json"),
(ES_PACK_JSON, "ES.json"),
(CA_PACK_JSON, "CA.json"),
] {
let pack = Self::parse_and_merge(&default_pack, json, label)?;
let code = CountryCode::new(&pack.country_code)?;
packs.insert(code, pack);
}
Ok(Self {
default_pack,
packs,
})
}
pub fn get(&self, code: &CountryCode) -> &CountryPack {
self.packs.get(code).unwrap_or(&self.default_pack)
}
pub fn get_by_str(&self, code: &str) -> &CountryPack {
match CountryCode::new(code) {
Ok(cc) => self.get(&cc),
Err(_) => &self.default_pack,
}
}
pub fn available_countries(&self) -> Vec<&CountryCode> {
self.packs.keys().collect()
}
pub fn default_pack(&self) -> &CountryPack {
&self.default_pack
}
fn parse_and_merge(
default: &CountryPack,
json: &str,
label: &str,
) -> Result<CountryPack, CountryPackError> {
let country_value: serde_json::Value = serde_json::from_str(json)
.map_err(|e| CountryPackError::parse(format!("{label}: {e}")))?;
let mut base_value = serde_json::to_value(default)
.map_err(|e| CountryPackError::parse(format!("serialize default: {e}")))?;
deep_merge(&mut base_value, &country_value);
serde_json::from_value(base_value)
.map_err(|e| CountryPackError::parse(format!("{label} merge: {e}")))
}
fn load_external_dir(&mut self, dir: &Path) -> Result<(), CountryPackError> {
let entries = std::fs::read_dir(dir)
.map_err(|e| CountryPackError::directory(format!("{}: {e}", dir.display())))?;
for entry in entries {
let entry = entry
.map_err(|e| CountryPackError::directory(format!("{}: {e}", dir.display())))?;
let path = entry.path();
if path.extension().and_then(|e| e.to_str()) != Some("json") {
continue;
}
if let Some(stem) = path.file_stem().and_then(|s| s.to_str()) {
if stem == "_default" {
continue;
}
}
let json = std::fs::read_to_string(&path)
.map_err(|e| CountryPackError::directory(format!("{}: {e}", path.display())))?;
let label = path
.file_name()
.and_then(|n| n.to_str())
.unwrap_or("unknown");
let pack = Self::parse_and_merge(&self.default_pack, &json, label)?;
let code = CountryCode::new(&pack.country_code)?;
self.packs.insert(code, pack);
}
Ok(())
}
}
impl fmt::Debug for CountryPackRegistry {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
f.debug_struct("CountryPackRegistry")
.field("default", &self.default_pack.country_code)
.field(
"countries",
&self
.packs
.keys()
.map(CountryCode::as_str)
.collect::<Vec<_>>(),
)
.finish()
}
}
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn test_country_code_valid() {
assert!(CountryCode::new("US").is_ok());
assert!(CountryCode::new("de").is_ok()); assert!(CountryCode::new("GB").is_ok());
assert!(CountryCode::new("_DEFAULT").is_ok());
}
#[test]
fn test_country_code_invalid() {
assert!(CountryCode::new("").is_err());
assert!(CountryCode::new("USA").is_err());
assert!(CountryCode::new("1A").is_err());
assert!(CountryCode::new("A").is_err());
}
#[test]
fn test_builtin_only() {
let reg = CountryPackRegistry::builtin_only().expect("should load");
assert!(reg.available_countries().len() >= 3);
let us = reg.get_by_str("US");
assert_eq!(us.country_code, "US");
assert!(!us.holidays.fixed.is_empty());
let de = reg.get_by_str("DE");
assert_eq!(de.country_code, "DE");
let gb = reg.get_by_str("GB");
assert_eq!(gb.country_code, "GB");
}
#[test]
fn test_all_ten_packs_load() {
let reg = CountryPackRegistry::builtin_only().expect("should load");
assert_eq!(reg.available_countries().len(), 10);
for code in ["US", "DE", "GB", "FR", "JP", "CN", "IN", "IT", "ES", "CA"] {
let pack = reg.get_by_str(code);
assert_eq!(pack.country_code, code, "country_code mismatch for {code}");
assert!(
!pack.holidays.fixed.is_empty(),
"{code} has no fixed holidays"
);
assert!(
!pack.names.cultures.is_empty(),
"{code} has no name cultures"
);
}
}
#[test]
fn test_fr_pack_loads() {
let reg = CountryPackRegistry::builtin_only().expect("should load");
let fr = reg.get_by_str("FR");
assert_eq!(fr.country_code, "FR");
assert_eq!(fr.locale.default_currency, "EUR");
assert_eq!(fr.locale.default_timezone, "Europe/Paris");
assert!(fr.tax.vat.standard_rate > 0.19);
}
#[test]
fn test_jp_pack_loads() {
let reg = CountryPackRegistry::builtin_only().expect("should load");
let jp = reg.get_by_str("JP");
assert_eq!(jp.country_code, "JP");
assert_eq!(jp.locale.default_currency, "JPY");
assert_eq!(jp.locale.currency_decimal_places, 0);
assert_eq!(jp.locale.fiscal_year.start_month, 4);
}
#[test]
fn test_cn_pack_loads() {
let reg = CountryPackRegistry::builtin_only().expect("should load");
let cn = reg.get_by_str("CN");
assert_eq!(cn.country_code, "CN");
assert_eq!(cn.locale.default_currency, "CNY");
assert_eq!(cn.locale.default_timezone, "Asia/Shanghai");
}
#[test]
fn test_in_pack_loads() {
let reg = CountryPackRegistry::builtin_only().expect("should load");
let india = reg.get_by_str("IN");
assert_eq!(india.country_code, "IN");
assert_eq!(india.locale.default_currency, "INR");
assert_eq!(india.locale.number_format.grouping, vec![3, 2]);
assert_eq!(india.locale.fiscal_year.start_month, 4);
}
#[test]
fn test_it_pack_loads() {
let reg = CountryPackRegistry::builtin_only().expect("should load");
let it = reg.get_by_str("IT");
assert_eq!(it.country_code, "IT");
assert_eq!(it.locale.default_currency, "EUR");
assert!(it.payroll.thirteenth_month);
}
#[test]
fn test_es_pack_loads() {
let reg = CountryPackRegistry::builtin_only().expect("should load");
let es = reg.get_by_str("ES");
assert_eq!(es.country_code, "ES");
assert_eq!(es.locale.default_currency, "EUR");
assert_eq!(es.locale.default_timezone, "Europe/Madrid");
}
#[test]
fn test_ca_pack_loads() {
let reg = CountryPackRegistry::builtin_only().expect("should load");
let ca = reg.get_by_str("CA");
assert_eq!(ca.country_code, "CA");
assert_eq!(ca.locale.default_currency, "CAD");
assert!(!ca.tax.payroll_tax.income_tax_brackets.is_empty());
}
#[test]
fn test_fallback_to_default() {
let reg = CountryPackRegistry::builtin_only().expect("should load");
let unknown = reg.get_by_str("ZZ");
assert_eq!(unknown.country_code, "_DEFAULT");
}
#[test]
fn test_default_pack_parses() {
let pack: CountryPack =
serde_json::from_str(DEFAULT_PACK_JSON).expect("default pack should parse");
assert_eq!(pack.country_code, "_DEFAULT");
assert_eq!(pack.schema_version, "1.0");
}
#[test]
fn test_registry_with_overrides() {
let mut overrides = HashMap::new();
overrides.insert(
"US".to_string(),
serde_json::json!({"country_name": "USA Override"}),
);
let reg = CountryPackRegistry::new(None, &overrides).expect("should load");
let us = reg.get_by_str("US");
assert_eq!(us.country_name, "USA Override");
}
}