I'm trying to get the name of an enum variant as the string serde would expect/create. For example, say I have the following enum:
#[derive(Serialize, Deserialize)]
#[serde(rename_all="camelCase")]
pub enum SomeEnum {
WithoutValue,
withValue(i32),
}
How can I then get the serde names of the variants? Something like
serde::key_name(SomeEnum::WithoutValue) // should be `withoutValue`
serde::key_name(SomeEnum::WithValue) // should be `withValue`
I can use a hack with serde_json
, for variants without a value I can do:
serde_json::to_string(SomeEnum::WithoutValue).unwrap(); // yields `"withoutValue"` with quotation marks
This is not the best solution as I then need to strip the quotation marks, but can technically work.
Even worse is when the enum variant has a value. It becomes much messier.
serde_json::to_string(SomeEnum::WithValue(0)).unwrap(); // yields `"{\"second\":0}"
Is there a clean way to achieve this? I can't find a serde API to get key name as a string.
A stable yet somewhat boilerplate heavy way of extracting the variant information is by implementing a custom
Serializer
which collects the variant names from theserialize_*_variant
functions.This is the approach taken by
serde_variant
. @Mendy mentioned that this crate only works for unit variants. This is the example in the readme.One other downside to mention is that this only works with the default, externally tagged enum representation. Other representations do not use the
serialize_*_variant
functions.