* [RFC proxmox v3] schema: add CommaSeparatedList<T> wrapper type for comma-separated values
@ 2026-02-14 8:10 Dietmar Maurer
2026-02-18 17:32 ` applied: " Thomas Lamprecht
0 siblings, 1 reply; 2+ messages in thread
From: Dietmar Maurer @ 2026-02-14 8:10 UTC (permalink / raw)
To: pve-devel
Introduce a new CommaSeparatedList<T> wrapper type that provides
schema-aware serialization and deserialization of comma-separated
values, similar to PropertyString but designed for list/array types.
Key components:
- CommaSeparatedListSchema trait: Provides the static ARRAY_SCHEMA
required for (de)serialization (workaround for unstable generic
const items in Rust)
- CommaSeparatedList<T>: A transparent Vec<T> newtype with Deref/
DerefMut implementations for ergonomic access
The wrapper automatically handles conversion between "1,2,3" string
representation and Vec<T> while validating against the element schema.
Signed-off-by: Dietmar Maurer <dietmar@proxmox.com>
---
Changes in v3:
- add module-level documentation with a usage example
- remove unnecessary FromStr + Display bounds from CommaSeparatedList constructors
- remove redundant AsRef/AsMut impls (already provided via Deref/DerefMut)
- add a From<Vec<T>> conversion impl. (convenience)
Changes in v2:
- use description from ARRAY_SCHEMA
- add test for that
proxmox-schema/src/comma_separated_list.rs | 214 +++++++++++++++++++++
proxmox-schema/src/lib.rs | 1 +
2 files changed, 215 insertions(+)
create mode 100644 proxmox-schema/src/comma_separated_list.rs
diff --git a/proxmox-schema/src/comma_separated_list.rs b/proxmox-schema/src/comma_separated_list.rs
new file mode 100644
index 00000000..a8605683
--- /dev/null
+++ b/proxmox-schema/src/comma_separated_list.rs
@@ -0,0 +1,214 @@
+//! Comma-separated list strings.
+//!
+//! This module provides [`CommaSeparatedList<T>`], a newtype wrapper around
+//! `Vec<T>` that serializes to and deserializes from a comma-separated string
+//! representation (e.g. `"1,2,3"`). This is useful for API parameters that
+//! accept multiple values encoded in a single string field.
+//!
+//! Element types must implement the [`CommaSeparatedListSchema`] trait, which
+//! provides the static [`ArraySchema`](crate::ArraySchema) used for
+//! validation during serialization and deserialization.
+//!
+//! Note that individual element values are **not quoted** in the serialized
+//! string — they are simply joined with commas. This means element types must
+//! serialize to simple strings that do not themselves contain commas.
+//!
+//! # Example
+//!
+//! ```
+//! use proxmox_schema::{ApiType, Schema, ArraySchema, IntegerSchema};
+//! use proxmox_schema::comma_separated_list::{CommaSeparatedList, CommaSeparatedListSchema};
+//!
+//! #[derive(Clone, Debug, serde::Serialize, serde::Deserialize)]
+//! struct Port(u16);
+//!
+//! const PORT_SCHEMA: Schema = IntegerSchema::new("A network port")
+//! .minimum(1)
+//! .maximum(65535)
+//! .schema();
+//!
+//! impl ApiType for Port {
+//! const API_SCHEMA: Schema = PORT_SCHEMA;
+//! }
+//!
+//! impl CommaSeparatedListSchema for Port {
+//! const ARRAY_SCHEMA: Schema =
+//! ArraySchema::new("List of network ports.", &PORT_SCHEMA).schema();
+//! }
+//!
+//! // Deserialize from a comma-separated string:
+//! let ports: CommaSeparatedList<Port> =
+//! serde_json::from_value("80,443,8080".into()).unwrap();
+//! assert_eq!(ports.len(), 3);
+//!
+//! // Serialize back to a comma-separated string:
+//! let value = serde_json::to_value(&ports).unwrap();
+//! assert_eq!(value.as_str(), Some("80,443,8080"));
+//! ```
+//!
+use std::ops::{Deref, DerefMut};
+
+use serde::{Deserialize, Deserializer, Serialize, Serializer};
+
+use crate::{ApiStringFormat, ApiType, Schema, StringSchema};
+
+fn serialize<S, T>(
+ data: &[T],
+ serializer: S,
+ array_schema: &'static Schema,
+) -> Result<S::Ok, S::Error>
+where
+ S: Serializer,
+ T: Serialize,
+{
+ use serde::ser::{Error, SerializeSeq};
+
+ let mut ser = crate::ser::PropertyStringSerializer::new(String::new(), array_schema)
+ .serialize_seq(Some(data.len()))
+ .map_err(S::Error::custom)?;
+
+ for element in data {
+ ser.serialize_element(element).map_err(S::Error::custom)?;
+ }
+
+ let out = ser.end().map_err(S::Error::custom)?;
+ serializer.serialize_str(&out)
+}
+
+fn deserialize<'de, D, T>(deserializer: D, array_schema: &'static Schema) -> Result<T, D::Error>
+where
+ D: Deserializer<'de>,
+ T: Deserialize<'de>,
+{
+ use serde::de::Error;
+
+ let string = std::borrow::Cow::<'de, str>::deserialize(deserializer)?;
+
+ T::deserialize(crate::de::SchemaDeserializer::new(string, array_schema))
+ .map_err(D::Error::custom)
+}
+
+/// Trait to provide a static array schema for a type.
+///
+/// This is needed because generic const items are unstable in Rust.
+pub trait CommaSeparatedListSchema: ApiType {
+ /// The static array schema for this type.
+ const ARRAY_SCHEMA: Schema;
+}
+
+#[derive(Clone, Debug, Default, Hash, Eq, PartialEq, Ord, PartialOrd)]
+#[repr(transparent)]
+pub struct CommaSeparatedList<T>(pub Vec<T>);
+
+impl<T> ApiType for CommaSeparatedList<T>
+where
+ T: CommaSeparatedListSchema,
+{
+ const API_SCHEMA: Schema = StringSchema::new(T::ARRAY_SCHEMA.unwrap_array_schema().description)
+ .format(&ApiStringFormat::PropertyString(&T::ARRAY_SCHEMA))
+ .schema();
+}
+
+impl<T: CommaSeparatedListSchema + Serialize> Serialize for CommaSeparatedList<T> {
+ fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
+ where
+ S: Serializer,
+ {
+ serialize(&self.0, serializer, &T::ARRAY_SCHEMA)
+ }
+}
+
+impl<'de, T: CommaSeparatedListSchema + Deserialize<'de>> Deserialize<'de>
+ for CommaSeparatedList<T>
+{
+ fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
+ where
+ D: Deserializer<'de>,
+ {
+ let vec: Vec<T> = deserialize(deserializer, &T::ARRAY_SCHEMA)?;
+ Ok(CommaSeparatedList(vec))
+ }
+}
+
+impl<T> CommaSeparatedList<T> {
+ pub fn new(inner: Vec<T>) -> Self {
+ Self(inner)
+ }
+
+ pub fn into_inner(self) -> Vec<T> {
+ self.0
+ }
+}
+
+impl<T> Deref for CommaSeparatedList<T> {
+ type Target = Vec<T>;
+
+ fn deref(&self) -> &Self::Target {
+ &self.0
+ }
+}
+
+impl<T> DerefMut for CommaSeparatedList<T> {
+ fn deref_mut(&mut self) -> &mut Self::Target {
+ &mut self.0
+ }
+}
+
+impl<T> From<Vec<T>> for CommaSeparatedList<T> {
+ fn from(inner: Vec<T>) -> Self {
+ Self::new(inner)
+ }
+}
+
+#[cfg(test)]
+mod tests {
+ use super::*;
+ use crate::{ArraySchema, IntegerSchema};
+
+ // Test type that implements CommaSeparatedListSchema
+ #[derive(Clone, Debug, PartialEq, serde::Serialize, serde::Deserialize)]
+ struct TestNum(u32);
+
+ const TEST_NUM_SCHEMA: Schema = IntegerSchema::new("Test number (0-3)").maximum(3).schema();
+ const TEST_NUM_ARRAY_SCHEMA: Schema =
+ ArraySchema::new("Array of test numbers.", &TEST_NUM_SCHEMA).schema();
+
+ impl ApiType for TestNum {
+ const API_SCHEMA: Schema = TEST_NUM_SCHEMA;
+ }
+
+ impl CommaSeparatedListSchema for TestNum {
+ const ARRAY_SCHEMA: Schema = TEST_NUM_ARRAY_SCHEMA;
+ }
+
+ #[test]
+ fn test_comma_separated_list_serialize() {
+ let list = CommaSeparatedList(vec![TestNum(1), TestNum(2), TestNum(3)]);
+ let s = serde_json::to_value(&list).unwrap();
+ // The serialize function should produce a property string
+ assert_eq!(s.as_str(), Some("1,2,3"));
+ }
+
+ #[test]
+ fn test_comma_separated_list_deref() {
+ let list = CommaSeparatedList(vec![TestNum(42)]);
+ assert_eq!(list.len(), 1);
+ assert_eq!(list[0], TestNum(42));
+ }
+
+ #[test]
+ fn test_comma_separated_list_deserialize() {
+ let list: CommaSeparatedList<TestNum> = serde_json::from_value("1,2,3".into()).unwrap();
+ assert_eq!(list.0, vec![TestNum(1), TestNum(2), TestNum(3)]);
+ // test integer maximum (4 > maximum)
+ let _ = serde_json::from_value::<CommaSeparatedList<TestNum>>("3,4".into()).unwrap_err();
+ }
+
+ #[test]
+ fn test_comma_separated_list_description() {
+ let descr = CommaSeparatedList::<TestNum>::API_SCHEMA
+ .unwrap_string_schema()
+ .description;
+ assert_eq!(descr, "Array of test numbers.");
+ }
+}
diff --git a/proxmox-schema/src/lib.rs b/proxmox-schema/src/lib.rs
index 1647e8a9..fd773a84 100644
--- a/proxmox-schema/src/lib.rs
+++ b/proxmox-schema/src/lib.rs
@@ -22,6 +22,7 @@ pub mod de;
pub mod format;
pub mod ser;
+pub mod comma_separated_list;
pub mod property_string;
mod schema;
--
2.47.3
^ permalink raw reply [flat|nested] 2+ messages in thread* applied: [RFC proxmox v3] schema: add CommaSeparatedList<T> wrapper type for comma-separated values
2026-02-14 8:10 [RFC proxmox v3] schema: add CommaSeparatedList<T> wrapper type for comma-separated values Dietmar Maurer
@ 2026-02-18 17:32 ` Thomas Lamprecht
0 siblings, 0 replies; 2+ messages in thread
From: Thomas Lamprecht @ 2026-02-18 17:32 UTC (permalink / raw)
To: pve-devel, Dietmar Maurer
On Sat, 14 Feb 2026 09:10:20 +0100, Dietmar Maurer wrote:
> Introduce a new CommaSeparatedList<T> wrapper type that provides
> schema-aware serialization and deserialization of comma-separated
> values, similar to PropertyString but designed for list/array types.
>
> Key components:
> - CommaSeparatedListSchema trait: Provides the static ARRAY_SCHEMA
> required for (de)serialization (workaround for unstable generic
> const items in Rust)
> - CommaSeparatedList<T>: A transparent Vec<T> newtype with Deref/
> DerefMut implementations for ergonomic access
>
> [...]
Applied, thanks!
Note that I made some opinionated follow-up commits on top of this, the main
visible change for you is making the module private and exporting
CommaSeparatedList and Co directly at the top-level proxmox-schema lib.
I also export PropertyString now for consitency, but kept that module public
for the time being to avoid compilation errors.
I also added a few more tests for edge cases, and there I uncovered that,
unlike the module rust doc-comment suggested, validation is currently only done
for deserialization, but not serialization.
That is also the main reason for why I did not yet bump proxmox-schema, as it
would be good to have a short in person discussion if that's really the
behavior we want to have here.
[1/1] schema: add CommaSeparatedList<T> wrapper type for comma-separated values
commit: a9fa19c4c7eb97b101add1bce8edcf21292dcc49
^ permalink raw reply [flat|nested] 2+ messages in thread
end of thread, other threads:[~2026-02-18 17:37 UTC | newest]
Thread overview: 2+ messages (download: mbox.gz / follow: Atom feed)
-- links below jump to the message on this page --
2026-02-14 8:10 [RFC proxmox v3] schema: add CommaSeparatedList<T> wrapper type for comma-separated values Dietmar Maurer
2026-02-18 17:32 ` applied: " Thomas Lamprecht
This is a public inbox, see mirroring instructions
for how to clone and mirror all data and code used for this inbox