-
-
Notifications
You must be signed in to change notification settings - Fork 219
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Add support for #[serde(flatten)]
#223
base: master
Are you sure you want to change the base?
Conversation
cc @amrhassan, have a look if this covers your use cases. This works as expected for the use case you mentioned in #197 (comment), but perhaps you have other use cases you could try this on. |
@BurntSushi, have you had a chance to have a look at this? Is there anything stopping from merging? |
@gootorov No, I haven't had a chance, sorry. The problem is that I'm short on time and serde changes to this library are incredibly complicated and usually have unintended effects. So in order me to accept this, I'd probably have to spend at least a couple of hours re-contextualizing serde semantics and making sure that the behavior we add here is something that we can live with going forward. If a mistake in the public API gets made, then we either have to live with it or release a And on top of all of that, |
I am really looking forward to have I might be mistaken, but this doesn't seem to "add support for For example: #[derive(Debug, serde::Serialize, serde::Deserialize)]
struct Inner {
inner: u32,
}
#[derive(Debug, serde::Serialize, serde::Deserialize)]
struct Outer {
#[serde(flatten)]
inner: Inner,
outer: u32,
}
let input = "0,2\n4,7";
let mut reader = csv::ReaderBuilder::new()
.has_headers(false)
.from_reader(input.as_bytes());
for r in reader.deserialize::<Outer>() {
println!("{:?}", r);
} The same would work with I know that you focused on the serializer part. Maybe, then, this PR should re-scope itself to reflect that? There's more to go for |
I encountered this today and would love to see this implemented, and I support re-scoping the PR to serializing only (and return an error on the non-header deserialize example) |
I tried the version in the head of the branch, and it worked swimmingly for serialization (my only requirement). |
Tried to use 1.1.6 with nested records but failed with value type error ("1" was in a string field), will try to check HEAD and get a test case later |
I too tried the version at the head of this branch, and it worked perfectly for my use case. Furthermore, I couldn't have accomplished what I needed without it, because Given that this PR is 13 months old, it'd sure be nice to see it in the "true" crate. |
This works for our use case as well |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I've been using this for a while and having a fork is starting to bother me ^^
Other than that LGTM.
Alternately to the proposed solutions in the comment it would also be somewhat correct (although probably not ideal) to have these functions return errors and saying we don't support serializing maps out of serialize_entry.
Alternately again, we could decide that the if !matches!(self.state, /* the new sate for serialize_value */) {
is inexpensive enough that it's not worth the code duplication and remove the serialize_entry
call.
} | ||
|
||
fn serialize_value<T: ?Sized + Serialize>( | ||
&mut self, | ||
_value: &T, | ||
) -> Result<(), Self::Error> { | ||
unreachable!() | ||
Ok(()) |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Implementation of these is required, and calling serialize_key
then serialize_value
should produce the same results as calling serialize_entry
, as documented here: https://docs.rs/serde/latest/serde/ser/trait.SerializeMap.html#method.serialize_entry
Shouldn't this do:
Ok(()) | |
value.serialize(&mut **self) |
The serialize_entry
overload can then be removed, as it's equivalent to this.
fn serialize_key<T: ?Sized + Serialize>( | ||
&mut self, | ||
_key: &T, | ||
) -> Result<(), Self::Error> { | ||
unreachable!() | ||
Ok(()) |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Implementation of these is required, and calling serialize_key
then serialize_value
should produce the same results as calling serialize_entry
, as documented here: https://docs.rs/serde/latest/serde/ser/trait.SerializeMap.html#method.serialize_entry
Shouldn't this do:
Ok(()) | |
let old_state = | |
mem::replace(&mut self.state, HeaderState::EncounteredStructField); | |
if let HeaderState::ErrorIfWrite(err) = old_state { | |
return Err(err); | |
} | |
let mut serializer = SeRecord { | |
wtr: self.wtr, | |
}; | |
key.serialize(&mut serializer)?; | |
self.state = /* some new state representing this */; | |
Ok(()) |
} | ||
|
||
fn serialize_value<T: ?Sized + Serialize>( | ||
&mut self, | ||
_value: &T, | ||
) -> Result<(), Self::Error> { | ||
unreachable!() | ||
Ok(()) |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Implementation of these is required, and calling serialize_key
then serialize_value
should produce the same results as calling serialize_entry
, as documented here: https://docs.rs/serde/latest/serde/ser/trait.SerializeMap.html#method.serialize_entry
Shouldn't this do:
Ok(()) | |
if !matches!(self.state, /* the new sate for serialize_value */) { | |
return Err(/* some error of incorrect impl of Serialize for the container */); | |
} | |
// Check that there aren't any containers in the value. | |
self.state = HeaderState::InStructField; | |
value.serialize(&mut **self)?; | |
self.state = HeaderState::EncounteredStructField; | |
Ok(()) |
qrilka@0183724 shows the problem we've seen with the current
|
The problem with this PRThis doesn't just "add support for #[test]
fn struct_with_hash_map() {
#[derive(Clone, Serialize)]
struct MyMap {
map: std::collections::HashMap<String, String>,
}
let mut map = std::collections::HashMap::new();
map.insert("First".to_string(), "abc".to_string());
map.insert("Second".to_string(), "def".to_string());
map.insert("Third".to_string(), "ghi".to_string());
let outer = MyMap { map };
let (wrote, got) = serialize_header(outer.clone());
assert!(wrote);
assert_eq!(got, "map,First,Second,Third");
let got = serialize(outer);
assert_eq!(got, "abc,def,ghi\n");
} First of all, it writes 4 columns and 3 values (using the code from this PR). Second, it sometimes works and sometimes fail!! That's because the ordering of the HashMap is not defined, so it's random. The problem with serde flattenI tried understanding how serde flatten works, and as we can see here it works with HashMaps. Under the hood, it seems that it uses maps to flatten out structs. I used The current working solutionAs of now, I'm using the solution that @dtolnay described on issue #98, here, which is to implement Serialize ourselves. The futureHowever, supporting maps can be useful for this crate, and if done correctly it will make serde flatten work. Edit: added Rust syntax highlighting; added cargo-expand info. |
That doesn't seem like a blocker for implementing this feature: it looks like we could just cross-check the provided map keys with the serialized headers. Probably the same applies for structs since there is the
It works with I find that I much more typically flatten structs than Afaict the blocker is #223 (comment). If that helps in any way I could give a go at implementing this feature, checking on any necessary consistency constraint. I have worked quite a lot on serde's internals over the past months (latest in date being this crate first released less than 24 hours ago), so I'm fairly confident I would end up with something reasonable. But that is not time I'm willing to spend if there's not going to be any bandwidth for a review. I suspect that may also be the case of the original author:
IMO we can leave that to the user, at least until there's enough additional demand : we can check it inexpensively, but reordering probably implies complexity and overhead that could well be implemented outside, by e.g. having the user use a btreemap, or seed their HashMaps the same way. |
Hi!
We have a use case for serializing maps using your library.
Consider the following structure:
initialized as
The expected serialized data is
I.e. a completely flat structure. There is no limit to the depth/width or anything else using the current solution. This particular example is added as a unit test in the PR.
Additionally, serialization inside the "flattened" structures works as expected - for example, we can achieve the desired behavior mentioned in #197 (comment).
We also avoid the workaround mentioned in #98 (comment), as it is very tedious, especially if the structure is big and/or deep.
Serializing fields which are
HashMap
s will still lead to a runtime error, however serializingHashMap
s which are marked by#[serde(flatten)]
will result in a flat structure (as long as both the key and the value in theHashMap
are scalars).If there is any room for improvement and/or changes that are needed to be done -- please let me know, I'll be happy to update the PR.