PUT calendar_object: Allow omission of timezones as in RFC7809

This commit is contained in:
Lennart K
2026-01-24 19:44:58 +01:00
parent 6a31d3000c
commit d918a255a9
15 changed files with 105 additions and 24 deletions

9
Cargo.lock generated
View File

@@ -567,9 +567,9 @@ checksum = "b35204fbdc0b3f4446b89fc1ac2cf84a8a68971995d0bf2e925ec7cd960f9cb3"
[[package]] [[package]]
name = "caldata" name = "caldata"
version = "0.12.1" version = "0.13.0"
source = "registry+https://github.com/rust-lang/crates.io-index" source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "55ae67018b0b95d01f20a5f6869810e83969baa94b2ff768de7f90a8a9e38efd" checksum = "b39dd55be55606179c8437278d2df04a0fcfdc2956edcc432b2d54413e3f1522"
dependencies = [ dependencies = [
"chrono", "chrono",
"chrono-tz", "chrono-tz",
@@ -580,6 +580,7 @@ dependencies = [
"regex", "regex",
"rrule", "rrule",
"thiserror 2.0.18", "thiserror 2.0.18",
"vtimezones-rs",
] ]
[[package]] [[package]]
@@ -4952,9 +4953,9 @@ checksum = "0b928f33d975fc6ad9f86c8f283853ad26bdd5b10b7f1542aa2fa15e2289105a"
[[package]] [[package]]
name = "vtimezones-rs" name = "vtimezones-rs"
version = "0.2.0" version = "0.3.0"
source = "registry+https://github.com/rust-lang/crates.io-index" source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "f6728de8767c8dea44f41b88115a205ed23adc3302e1b4342be59d922934dae5" checksum = "cd57da82560fa7a80104c812a084968666133f57f386e4b0970932115dbf819a"
dependencies = [ dependencies = [
"glob", "glob",
"phf 0.12.1", "phf 0.12.1",

View File

@@ -107,7 +107,7 @@ strum = "0.27"
strum_macros = "0.27" strum_macros = "0.27"
serde_json = { version = "1.0", features = ["raw_value"] } serde_json = { version = "1.0", features = ["raw_value"] }
sqlx-sqlite = { version = "0.8", features = ["bundled"] } sqlx-sqlite = { version = "0.8", features = ["bundled"] }
caldata = { version = "0.12.1", features = ["chrono-tz"] } caldata = { version = "0.13.0", features = ["chrono-tz", "vtimezones-rs"] }
toml = "0.9" toml = "0.9"
tower = "0.5" tower = "0.5"
tower-http = { version = "0.6", features = [ tower-http = { version = "0.6", features = [

View File

@@ -6,7 +6,7 @@ use crate::calendar::methods::report::route_report_calendar;
use crate::calendar::resource::CalendarResource; use crate::calendar::resource::CalendarResource;
use crate::calendar_object::CalendarObjectResourceService; use crate::calendar_object::CalendarObjectResourceService;
use crate::calendar_object::resource::CalendarObjectResource; use crate::calendar_object::resource::CalendarObjectResource;
use crate::{CalDavPrincipalUri, Error}; use crate::{CalDavConfig, CalDavPrincipalUri, Error};
use async_trait::async_trait; use async_trait::async_trait;
use axum::Router; use axum::Router;
use axum::extract::Request; use axum::extract::Request;
@@ -23,6 +23,7 @@ use tower::Service;
pub struct CalendarResourceService<C: CalendarStore, S: SubscriptionStore> { pub struct CalendarResourceService<C: CalendarStore, S: SubscriptionStore> {
pub(crate) cal_store: Arc<C>, pub(crate) cal_store: Arc<C>,
pub(crate) sub_store: Arc<S>, pub(crate) sub_store: Arc<S>,
pub(crate) config: Arc<CalDavConfig>,
} }
impl<C: CalendarStore, S: SubscriptionStore> Clone for CalendarResourceService<C, S> { impl<C: CalendarStore, S: SubscriptionStore> Clone for CalendarResourceService<C, S> {
@@ -30,15 +31,17 @@ impl<C: CalendarStore, S: SubscriptionStore> Clone for CalendarResourceService<C
Self { Self {
cal_store: self.cal_store.clone(), cal_store: self.cal_store.clone(),
sub_store: self.sub_store.clone(), sub_store: self.sub_store.clone(),
config: self.config.clone(),
} }
} }
} }
impl<C: CalendarStore, S: SubscriptionStore> CalendarResourceService<C, S> { impl<C: CalendarStore, S: SubscriptionStore> CalendarResourceService<C, S> {
pub const fn new(cal_store: Arc<C>, sub_store: Arc<S>) -> Self { pub const fn new(cal_store: Arc<C>, sub_store: Arc<S>, config: Arc<CalDavConfig>) -> Self {
Self { Self {
cal_store, cal_store,
sub_store, sub_store,
config,
} }
} }
} }
@@ -112,7 +115,8 @@ impl<C: CalendarStore, S: SubscriptionStore> ResourceService for CalendarResourc
Router::new() Router::new()
.nest( .nest(
"/{object_id}", "/{object_id}",
CalendarObjectResourceService::new(self.cal_store.clone()).axum_router(), CalendarObjectResourceService::new(self.cal_store.clone(), self.config.clone())
.axum_router(),
) )
.route_service("/", self.axum_service()) .route_service("/", self.axum_service())
} }

View File

@@ -5,6 +5,7 @@ use axum::body::Body;
use axum::extract::{Path, State}; use axum::extract::{Path, State};
use axum::response::{IntoResponse, Response}; use axum::response::{IntoResponse, Response};
use axum_extra::TypedHeader; use axum_extra::TypedHeader;
use caldata::parser::ParserOptions;
use headers::{ContentType, ETag, HeaderMapExt, IfNoneMatch}; use headers::{ContentType, ETag, HeaderMapExt, IfNoneMatch};
use http::{HeaderMap, HeaderValue, Method, StatusCode}; use http::{HeaderMap, HeaderValue, Method, StatusCode};
use rustical_ical::CalendarObject; use rustical_ical::CalendarObject;
@@ -20,7 +21,10 @@ pub async fn get_event<C: CalendarStore>(
calendar_id, calendar_id,
object_id, object_id,
}): Path<CalendarObjectPathComponents>, }): Path<CalendarObjectPathComponents>,
State(CalendarObjectResourceService { cal_store }): State<CalendarObjectResourceService<C>>, State(CalendarObjectResourceService {
cal_store,
config: _,
}): State<CalendarObjectResourceService<C>>,
user: Principal, user: Principal,
method: Method, method: Method,
) -> Result<Response, Error> { ) -> Result<Response, Error> {
@@ -57,7 +61,9 @@ pub async fn put_event<C: CalendarStore>(
calendar_id, calendar_id,
object_id, object_id,
}): Path<CalendarObjectPathComponents>, }): Path<CalendarObjectPathComponents>,
State(CalendarObjectResourceService { cal_store }): State<CalendarObjectResourceService<C>>, State(CalendarObjectResourceService { cal_store, config }): State<
CalendarObjectResourceService<C>,
>,
user: Principal, user: Principal,
mut if_none_match: Option<TypedHeader<IfNoneMatch>>, mut if_none_match: Option<TypedHeader<IfNoneMatch>>,
header_map: HeaderMap, header_map: HeaderMap,
@@ -94,7 +100,12 @@ pub async fn put_event<C: CalendarStore>(
true true
}; };
let object = match CalendarObject::from_ics(body.clone()) { let object = match CalendarObject::import(
&body,
Some(ParserOptions {
rfc7809: config.rfc7809,
}),
) {
Ok(object) => object, Ok(object) => object,
Err(err) => { Err(err) => {
warn!("invalid calendar data:\n{body}"); warn!("invalid calendar data:\n{body}");

View File

@@ -1,5 +1,5 @@
use crate::{ use crate::{
CalDavPrincipalUri, Error, CalDavConfig, CalDavPrincipalUri, Error,
calendar_object::{ calendar_object::{
methods::{get_event, put_event}, methods::{get_event, put_event},
resource::CalendarObjectResource, resource::CalendarObjectResource,
@@ -24,19 +24,21 @@ pub struct CalendarObjectPathComponents {
pub struct CalendarObjectResourceService<C: CalendarStore> { pub struct CalendarObjectResourceService<C: CalendarStore> {
pub(crate) cal_store: Arc<C>, pub(crate) cal_store: Arc<C>,
pub(crate) config: Arc<CalDavConfig>,
} }
impl<C: CalendarStore> Clone for CalendarObjectResourceService<C> { impl<C: CalendarStore> Clone for CalendarObjectResourceService<C> {
fn clone(&self) -> Self { fn clone(&self) -> Self {
Self { Self {
cal_store: self.cal_store.clone(), cal_store: self.cal_store.clone(),
config: self.config.clone(),
} }
} }
} }
impl<C: CalendarStore> CalendarObjectResourceService<C> { impl<C: CalendarStore> CalendarObjectResourceService<C> {
pub const fn new(cal_store: Arc<C>) -> Self { pub const fn new(cal_store: Arc<C>, config: Arc<CalDavConfig>) -> Self {
Self { cal_store } Self { cal_store, config }
} }
} }

View File

@@ -8,6 +8,7 @@ use rustical_dav::resources::RootResourceService;
use rustical_store::auth::middleware::AuthenticationLayer; use rustical_store::auth::middleware::AuthenticationLayer;
use rustical_store::auth::{AuthenticationProvider, Principal}; use rustical_store::auth::{AuthenticationProvider, Principal};
use rustical_store::{CalendarStore, SubscriptionStore}; use rustical_store::{CalendarStore, SubscriptionStore};
use serde::{Deserialize, Serialize};
use std::sync::Arc; use std::sync::Arc;
pub mod calendar; pub mod calendar;
@@ -34,6 +35,7 @@ pub fn caldav_router<AP: AuthenticationProvider, C: CalendarStore, S: Subscripti
store: Arc<C>, store: Arc<C>,
subscription_store: Arc<S>, subscription_store: Arc<S>,
simplified_home_set: bool, simplified_home_set: bool,
config: Arc<CalDavConfig>,
) -> Router { ) -> Router {
Router::new().nest( Router::new().nest(
prefix, prefix,
@@ -42,9 +44,27 @@ pub fn caldav_router<AP: AuthenticationProvider, C: CalendarStore, S: Subscripti
sub_store: subscription_store, sub_store: subscription_store,
cal_store: store, cal_store: store,
simplified_home_set, simplified_home_set,
config,
}) })
.axum_router() .axum_router()
.layer(AuthenticationLayer::new(auth_provider)) .layer(AuthenticationLayer::new(auth_provider))
.layer(Extension(CalDavPrincipalUri(prefix))), .layer(Extension(CalDavPrincipalUri(prefix))),
) )
} }
const fn default_true() -> bool {
true
}
#[derive(Debug, Clone, Deserialize, Serialize)]
#[serde(deny_unknown_fields, default)]
pub struct CalDavConfig {
#[serde(default = "default_true")]
rfc7809: bool,
}
impl Default for CalDavConfig {
fn default() -> Self {
Self { rfc7809: true }
}
}

View File

@@ -1,7 +1,7 @@
use crate::calendar::CalendarResourceService; use crate::calendar::CalendarResourceService;
use crate::calendar::resource::CalendarResource; use crate::calendar::resource::CalendarResource;
use crate::principal::PrincipalResource; use crate::principal::PrincipalResource;
use crate::{CalDavPrincipalUri, Error}; use crate::{CalDavConfig, CalDavPrincipalUri, Error};
use async_trait::async_trait; use async_trait::async_trait;
use axum::Router; use axum::Router;
use rustical_dav::resource::{AxumMethods, ResourceService}; use rustical_dav::resource::{AxumMethods, ResourceService};
@@ -20,6 +20,7 @@ pub struct PrincipalResourceService<
pub(crate) cal_store: Arc<CS>, pub(crate) cal_store: Arc<CS>,
// If true only return the principal as the calendar home set, otherwise also groups // If true only return the principal as the calendar home set, otherwise also groups
pub(crate) simplified_home_set: bool, pub(crate) simplified_home_set: bool,
pub(crate) config: Arc<CalDavConfig>,
} }
impl<AP: AuthenticationProvider, S: SubscriptionStore, CS: CalendarStore> Clone impl<AP: AuthenticationProvider, S: SubscriptionStore, CS: CalendarStore> Clone
@@ -31,6 +32,7 @@ impl<AP: AuthenticationProvider, S: SubscriptionStore, CS: CalendarStore> Clone
sub_store: self.sub_store.clone(), sub_store: self.sub_store.clone(),
cal_store: self.cal_store.clone(), cal_store: self.cal_store.clone(),
simplified_home_set: self.simplified_home_set, simplified_home_set: self.simplified_home_set,
config: self.config.clone(),
} }
} }
} }
@@ -84,7 +86,11 @@ impl<AP: AuthenticationProvider, S: SubscriptionStore, CS: CalendarStore> Resour
Router::new() Router::new()
.nest( .nest(
"/{calendar_id}", "/{calendar_id}",
CalendarResourceService::new(self.cal_store.clone(), self.sub_store.clone()) CalendarResourceService::new(
self.cal_store.clone(),
self.sub_store.clone(),
self.config.clone(),
)
.axum_router(), .axum_router(),
) )
.route_service("/", self.axum_service()) .route_service("/", self.axum_service())

View File

@@ -27,6 +27,7 @@ async fn test_principal_resource(
sub_store: Arc::new(sub_store), sub_store: Arc::new(sub_store),
auth_provider: Arc::new(auth_provider), auth_provider: Arc::new(auth_provider),
simplified_home_set: false, simplified_home_set: false,
config: Default::default(),
}; };
// We don't have any calendars here // We don't have any calendars here

View File

@@ -17,7 +17,7 @@ use caldata::{
}; };
use chrono::{NaiveDate, Utc}; use chrono::{NaiveDate, Utc};
use sha2::{Digest, Sha256}; use sha2::{Digest, Sha256};
use std::collections::HashMap; use std::collections::BTreeMap;
use std::str::FromStr; use std::str::FromStr;
#[derive(Debug, Clone)] #[derive(Debug, Clone)]
@@ -134,7 +134,7 @@ impl AddressObject {
.into(), .into(),
], ],
inner: Some(CalendarInnerDataBuilder::Event(vec![event])), inner: Some(CalendarInnerDataBuilder::Event(vec![event])),
vtimezones: HashMap::default(), vtimezones: BTreeMap::default(),
} }
.build(None)? .build(None)?
.into(), .into(),

View File

@@ -1,8 +1,11 @@
use std::sync::OnceLock;
use crate::Error; use crate::Error;
use caldata::{ use caldata::{
IcalObjectParser, IcalObjectParser,
component::{CalendarInnerData, IcalCalendarObject}, component::{CalendarInnerData, IcalCalendarObject},
generator::Emitter, generator::Emitter,
parser::ParserOptions,
}; };
use derive_more::Display; use derive_more::Display;
use serde::Deserialize; use serde::Deserialize;
@@ -65,15 +68,35 @@ impl rustical_xml::ValueDeserialize for CalendarObjectType {
#[derive(Debug, Clone)] #[derive(Debug, Clone)]
pub struct CalendarObject { pub struct CalendarObject {
inner: IcalCalendarObject, inner: IcalCalendarObject,
ics: String, ics: OnceLock<String>,
} }
impl CalendarObject { impl CalendarObject {
// This function parses iCalendar data but doesn't cache it
// This is meant for iCalendar data coming from outside that might need to be normalised.
// For example if timezones are omitted this can be fixed by this function.
pub fn import(ics: &str, options: Option<ParserOptions>) -> Result<Self, Error> {
let parser =
IcalObjectParser::from_slice(ics.as_bytes()).with_options(options.unwrap_or_default());
let inner = parser.expect_one()?;
Ok(Self {
inner,
ics: OnceLock::new(),
})
}
// This function parses iCalendar data and then caches the parsed iCalendar data.
// This function is only meant for loading data from a data store where we know the iCalendar
// is already in the desired form.
pub fn from_ics(ics: String) -> Result<Self, Error> { pub fn from_ics(ics: String) -> Result<Self, Error> {
let parser = IcalObjectParser::from_slice(ics.as_bytes()); let parser = IcalObjectParser::from_slice(ics.as_bytes());
let inner = parser.expect_one()?; let inner = parser.expect_one()?;
Ok(Self { inner, ics }) Ok(Self {
inner,
ics: ics.into(),
})
} }
#[must_use] #[must_use]
@@ -96,7 +119,7 @@ impl CalendarObject {
#[must_use] #[must_use]
pub fn get_ics(&self) -> &str { pub fn get_ics(&self) -> &str {
&self.ics self.ics.get_or_init(|| self.inner.generate())
} }
#[must_use] #[must_use]
@@ -114,7 +137,7 @@ impl From<CalendarObject> for IcalCalendarObject {
impl From<IcalCalendarObject> for CalendarObject { impl From<IcalCalendarObject> for CalendarObject {
fn from(value: IcalCalendarObject) -> Self { fn from(value: IcalCalendarObject) -> Self {
Self { Self {
ics: value.generate(), ics: value.generate().into(),
inner: value, inner: value,
} }
} }

View File

@@ -9,7 +9,7 @@ use axum_extra::TypedHeader;
use headers::{HeaderMapExt, UserAgent}; use headers::{HeaderMapExt, UserAgent};
use http::header::CONNECTION; use http::header::CONNECTION;
use http::{HeaderValue, StatusCode}; use http::{HeaderValue, StatusCode};
use rustical_caldav::caldav_router; use rustical_caldav::{CalDavConfig, caldav_router};
use rustical_carddav::carddav_router; use rustical_carddav::carddav_router;
use rustical_frontend::nextcloud_login::nextcloud_login_router; use rustical_frontend::nextcloud_login::nextcloud_login_router;
use rustical_frontend::{FrontendConfig, frontend_router}; use rustical_frontend::{FrontendConfig, frontend_router};
@@ -45,6 +45,7 @@ pub fn make_app<
auth_provider: Arc<impl AuthenticationProvider>, auth_provider: Arc<impl AuthenticationProvider>,
frontend_config: FrontendConfig, frontend_config: FrontendConfig,
oidc_config: Option<OidcConfig>, oidc_config: Option<OidcConfig>,
caldav_config: CalDavConfig,
nextcloud_login_config: &NextcloudLoginConfig, nextcloud_login_config: &NextcloudLoginConfig,
dav_push_enabled: bool, dav_push_enabled: bool,
session_cookie_samesite_strict: bool, session_cookie_samesite_strict: bool,
@@ -54,6 +55,8 @@ pub fn make_app<
let combined_cal_store = let combined_cal_store =
Arc::new(CombinedCalendarStore::new(cal_store).with_store(birthday_store)); Arc::new(CombinedCalendarStore::new(cal_store).with_store(birthday_store));
let caldav_config = Arc::new(caldav_config);
let mut router = Router::new() let mut router = Router::new()
// endpoint to be used by healthcheck to see if rustical is online // endpoint to be used by healthcheck to see if rustical is online
.route("/ping", axum::routing::get(async || "Pong!")) .route("/ping", axum::routing::get(async || "Pong!"))
@@ -63,6 +66,7 @@ pub fn make_app<
combined_cal_store.clone(), combined_cal_store.clone(),
subscription_store.clone(), subscription_store.clone(),
false, false,
caldav_config.clone(),
)) ))
.merge(caldav_router( .merge(caldav_router(
"/caldav-compat", "/caldav-compat",
@@ -70,6 +74,7 @@ pub fn make_app<
combined_cal_store.clone(), combined_cal_store.clone(),
subscription_store.clone(), subscription_store.clone(),
true, true,
caldav_config,
)) ))
.route( .route(
"/.well-known/caldav", "/.well-known/caldav",

View File

@@ -3,6 +3,7 @@ use crate::config::{
SqliteDataStoreConfig, TracingConfig, SqliteDataStoreConfig, TracingConfig,
}; };
use clap::Parser; use clap::Parser;
use rustical_caldav::CalDavConfig;
use rustical_frontend::FrontendConfig; use rustical_frontend::FrontendConfig;
pub mod health; pub mod health;
@@ -15,6 +16,7 @@ pub struct GenConfigArgs {}
pub fn cmd_gen_config(_args: GenConfigArgs) -> anyhow::Result<()> { pub fn cmd_gen_config(_args: GenConfigArgs) -> anyhow::Result<()> {
let config = Config { let config = Config {
http: HttpConfig::default(), http: HttpConfig::default(),
caldav: CalDavConfig::default(),
data_store: DataStoreConfig::Sqlite(SqliteDataStoreConfig { data_store: DataStoreConfig::Sqlite(SqliteDataStoreConfig {
db_url: "/var/lib/rustical/db.sqlite3".to_owned(), db_url: "/var/lib/rustical/db.sqlite3".to_owned(),
run_repairs: true, run_repairs: true,

View File

@@ -1,3 +1,4 @@
use rustical_caldav::CalDavConfig;
use rustical_frontend::FrontendConfig; use rustical_frontend::FrontendConfig;
use rustical_oidc::OidcConfig; use rustical_oidc::OidcConfig;
use serde::{Deserialize, Serialize}; use serde::{Deserialize, Serialize};
@@ -97,4 +98,6 @@ pub struct Config {
pub dav_push: DavPushConfig, pub dav_push: DavPushConfig,
#[serde(default)] #[serde(default)]
pub nextcloud_login: NextcloudLoginConfig, pub nextcloud_login: NextcloudLoginConfig,
#[serde(default)]
pub caldav: CalDavConfig,
} }

View File

@@ -2,6 +2,7 @@ use crate::{app::make_app, config::NextcloudLoginConfig};
use axum::extract::Request; use axum::extract::Request;
use axum::{body::Body, response::Response}; use axum::{body::Body, response::Response};
use rstest::rstest; use rstest::rstest;
use rustical_caldav::CalDavConfig;
use rustical_frontend::FrontendConfig; use rustical_frontend::FrontendConfig;
use rustical_store_sqlite::tests::{TestStoreContext, test_store_context}; use rustical_store_sqlite::tests::{TestStoreContext, test_store_context};
use std::sync::Arc; use std::sync::Arc;
@@ -26,6 +27,7 @@ pub fn get_app(context: TestStoreContext) -> axum::Router {
allow_password_login: true, allow_password_login: true,
}, },
None, None,
CalDavConfig::default(),
&NextcloudLoginConfig { enabled: false }, &NextcloudLoginConfig { enabled: false },
false, false,
true, true,

View File

@@ -153,6 +153,7 @@ async fn main() -> Result<()> {
principal_store.clone(), principal_store.clone(),
config.frontend.clone(), config.frontend.clone(),
config.oidc.clone(), config.oidc.clone(),
config.caldav,
&config.nextcloud_login, &config.nextcloud_login,
config.dav_push.enabled, config.dav_push.enabled,
config.http.session_cookie_samesite_strict, config.http.session_cookie_samesite_strict,