Compare commits

...

12 Commits

Author SHA1 Message Date
David Tolnay 5cc3902ab9 Release 1.0.91 2019-05-06 16:27:04 -07:00
David Tolnay c8e09e2d6d Merge pull request #1522 from dtolnay/enum
Support deserializing enum out of MapAccessDeserializer
2019-05-06 16:26:43 -07:00
David Tolnay e2a2ba116c Remove old instructions intended for compiletest 2019-05-06 16:17:30 -07:00
David Tolnay 0a9d24a218 Support deserializing enum out of MapAccessDeserializer 2019-05-06 16:11:28 -07:00
David Tolnay c222183669 Merge pull request #1521 from serde-rs/trybuild
Switch ui tests to trybuild
2019-05-06 10:44:25 -07:00
David Tolnay 140f9beee7 Switch ui tests to trybuild 2019-05-06 10:25:47 -07:00
David Tolnay 28ce892617 Disable compiletest in appveyor
error[E0464]: multiple matching crates for `serde`
      --> $DIR/wrong_getter.rs:15:10
       |
    15 | #[derive(Serialize)]
       |          ^^^^^^^^^
       |
       = note: candidates:
               crate `serde`: /?/C:/projects/serde/test_suite/deps/target/debug/deps/libserde-a1a28acc73b0edde.rlib
               crate `serde`: /?/C:/Users/appveyor/.
2019-04-22 23:18:21 -07:00
David Tolnay 1e6d3ff99b Merge pull request #1512 from dtolnay/off
Temporarily disable compiletest testing in CI
2019-04-22 23:05:54 -07:00
David Tolnay fba1b92cbf Temporarily disable compiletest testing in CI
The nightly compiler just added a dependency on serde so libserde ends
up in the sysroot, breaking crate resolution inside of compiletest. We
will need to figure out how else to run these tests.

    error[E0464]: multiple matching crates for `serde`
      --> $DIR/wrong_ser.rs:9:10
       |
     9 | #[derive(Serialize)]
       |          ^^^^^^^^^
       |
       = note: candidates:
               crate `serde`: /rustup/toolchains/nightly-x86_64-unknown-linux-gnu/lib/rustlib/x86_64-unknown-linux-gnu/lib/libserde-2b75907288aa7c40.rlib
               crate `serde`: /serde/test_suite/deps/target/debug/deps/libserde-33e0a319242344ce.rlib
2019-04-22 22:42:36 -07:00
David Tolnay ce1686379d Update test suite to nightly-2019-04-20 2019-04-19 22:54:59 -07:00
David Tolnay 79a20e9e33 Resolve option_map_unwrap_or_else lint 2019-04-10 22:57:47 -07:00
David Tolnay e9cd73f78e Remove link to hjson
This project has still not been updated to Serde 1.0.
2019-04-08 10:39:55 -07:00
108 changed files with 195 additions and 385 deletions
+1 -3
View File
@@ -26,10 +26,8 @@ matrix:
- cargo build --no-default-features --features alloc
- cargo build --no-default-features --features rc,alloc
- cargo test --features derive,rc,unstable
- cd "${TRAVIS_BUILD_DIR}/test_suite/deps"
- cargo build
- cd "${TRAVIS_BUILD_DIR}/test_suite"
- cargo test --features compiletest,unstable
- cargo test --features unstable
- cd "${TRAVIS_BUILD_DIR}/test_suite/no_std"
- cargo build
+1 -3
View File
@@ -35,7 +35,5 @@ for:
- cargo build --no-default-features --features alloc
- cargo build --no-default-features --features rc,alloc
- cargo test --features derive,rc,unstable
- cd %APPVEYOR_BUILD_FOLDER%\test_suite\deps
- cargo build
- cd %APPVEYOR_BUILD_FOLDER%\test_suite
- cargo test --features compiletest,unstable
- cargo test --features unstable
+1 -1
View File
@@ -1,6 +1,6 @@
[package]
name = "serde"
version = "1.0.90" # remember to update html_root_url
version = "1.0.91" # remember to update html_root_url
authors = ["Erick Tryzelaar <erick.tryzelaar@gmail.com>", "David Tolnay <dtolnay@gmail.com>"]
license = "MIT/Apache-2.0"
description = "A generic serialization/deserialization framework"
+118 -2
View File
@@ -1287,10 +1287,40 @@ where
visitor.visit_map(self.map)
}
fn deserialize_enum<V>(
self,
_name: &str,
_variants: &'static [&'static str],
visitor: V,
) -> Result<V::Value, Self::Error>
where
V: de::Visitor<'de>,
{
visitor.visit_enum(self)
}
forward_to_deserialize_any! {
bool i8 i16 i32 i64 i128 u8 u16 u32 u64 u128 f32 f64 char str string
bytes byte_buf option unit unit_struct newtype_struct seq tuple
tuple_struct map struct enum identifier ignored_any
tuple_struct map struct identifier ignored_any
}
}
impl<'de, A> de::EnumAccess<'de> for MapAccessDeserializer<A>
where
A: de::MapAccess<'de>,
{
type Error = A::Error;
type Variant = private::MapAsEnum<A>;
fn variant_seed<T>(mut self, seed: T) -> Result<(T::Value, Self::Variant), Self::Error>
where
T: de::DeserializeSeed<'de>,
{
match self.map.next_key_seed(seed)? {
Some(key) => Ok((key, private::map_as_enum(self.map))),
None => Err(de::Error::invalid_type(de::Unexpected::Map, &"enum")),
}
}
}
@@ -1299,7 +1329,7 @@ where
mod private {
use lib::*;
use de::{self, Unexpected};
use de::{self, DeserializeSeed, Deserializer, MapAccess, Unexpected, VariantAccess, Visitor};
#[derive(Clone, Debug)]
pub struct UnitOnly<E> {
@@ -1360,6 +1390,92 @@ mod private {
}
}
#[derive(Clone, Debug)]
pub struct MapAsEnum<A> {
map: A,
}
pub fn map_as_enum<A>(map: A) -> MapAsEnum<A> {
MapAsEnum { map: map }
}
impl<'de, A> VariantAccess<'de> for MapAsEnum<A>
where
A: MapAccess<'de>,
{
type Error = A::Error;
fn unit_variant(mut self) -> Result<(), Self::Error> {
self.map.next_value()
}
fn newtype_variant_seed<T>(mut self, seed: T) -> Result<T::Value, Self::Error>
where
T: DeserializeSeed<'de>,
{
self.map.next_value_seed(seed)
}
fn tuple_variant<V>(mut self, len: usize, visitor: V) -> Result<V::Value, Self::Error>
where
V: Visitor<'de>,
{
self.map.next_value_seed(SeedTupleVariant {
len: len,
visitor: visitor,
})
}
fn struct_variant<V>(
mut self,
_fields: &'static [&'static str],
visitor: V,
) -> Result<V::Value, Self::Error>
where
V: Visitor<'de>,
{
self.map
.next_value_seed(SeedStructVariant { visitor: visitor })
}
}
struct SeedTupleVariant<V> {
len: usize,
visitor: V,
}
impl<'de, V> DeserializeSeed<'de> for SeedTupleVariant<V>
where
V: Visitor<'de>,
{
type Value = V::Value;
fn deserialize<D>(self, deserializer: D) -> Result<Self::Value, D::Error>
where
D: Deserializer<'de>,
{
deserializer.deserialize_tuple(self.len, self.visitor)
}
}
struct SeedStructVariant<V> {
visitor: V,
}
impl<'de, V> DeserializeSeed<'de> for SeedStructVariant<V>
where
V: Visitor<'de>,
{
type Value = V::Value;
fn deserialize<D>(self, deserializer: D) -> Result<Self::Value, D::Error>
where
D: Deserializer<'de>,
{
deserializer.deserialize_map(self.visitor)
}
}
/// Avoid having to restate the generic types on `MapDeserializer`. The
/// `Iterator::Item` contains enough information to figure out K and V.
pub trait Pair {
+1 -3
View File
@@ -46,7 +46,6 @@
//! - [BSON], the data storage and network transfer format used by MongoDB.
//! - [Avro], a binary format used within Apache Hadoop, with support for schema
//! definition.
//! - [Hjson], a variant of JSON designed to be readable and writable by humans.
//! - [JSON5], A superset of JSON including some productions from ES5.
//! - [URL], the x-www-form-urlencoded format.
//! - [Envy], a way to deserialize environment variables into Rust structs.
@@ -64,7 +63,6 @@
//! [RON]: https://github.com/ron-rs/ron
//! [BSON]: https://github.com/zonyitoo/bson-rs
//! [Avro]: https://github.com/flavray/avro-rs
//! [Hjson]: https://github.com/laktak/hjson-rust
//! [JSON5]: https://github.com/callum-oakley/json5-rs
//! [URL]: https://github.com/nox/serde_urlencoded
//! [Envy]: https://github.com/softprops/envy
@@ -75,7 +73,7 @@
////////////////////////////////////////////////////////////////////////////////
// Serde types in rustdoc of other crates get linked to here.
#![doc(html_root_url = "https://docs.rs/serde/1.0.90")]
#![doc(html_root_url = "https://docs.rs/serde/1.0.91")]
// Support using Serde without the standard library!
#![cfg_attr(not(feature = "std"), no_std)]
// Unstable functionality only if the user asks for it. For tracking and
+1 -1
View File
@@ -1,6 +1,6 @@
[package]
name = "serde_derive"
version = "1.0.90" # remember to update html_root_url
version = "1.0.91" # remember to update html_root_url
authors = ["Erick Tryzelaar <erick.tryzelaar@gmail.com>", "David Tolnay <dtolnay@gmail.com>"]
license = "MIT/Apache-2.0"
description = "Macros 1.1 implementation of #[derive(Serialize, Deserialize)]"
+1 -2
View File
@@ -689,8 +689,7 @@ impl Container {
pub fn serde_path(&self) -> Cow<syn::Path> {
self.custom_serde_path()
.map(Cow::Borrowed)
.unwrap_or_else(|| Cow::Owned(parse_quote!(_serde)))
.map_or_else(|| Cow::Owned(parse_quote!(_serde)), Cow::Borrowed)
}
}
+1 -1
View File
@@ -13,7 +13,7 @@
//!
//! [https://serde.rs/derive.html]: https://serde.rs/derive.html
#![doc(html_root_url = "https://docs.rs/serde_derive/1.0.90")]
#![doc(html_root_url = "https://docs.rs/serde_derive/1.0.91")]
#![cfg_attr(feature = "cargo-clippy", allow(renamed_and_removed_lints))]
#![cfg_attr(feature = "cargo-clippy", deny(clippy, clippy_pedantic))]
// Ignored clippy lints
+1 -1
View File
@@ -1,6 +1,6 @@
[package]
name = "serde_test"
version = "1.0.90" # remember to update html_root_url
version = "1.0.91" # remember to update html_root_url
authors = ["Erick Tryzelaar <erick.tryzelaar@gmail.com>", "David Tolnay <dtolnay@gmail.com>"]
license = "MIT/Apache-2.0"
description = "Token De/Serializer for testing De/Serialize implementations"
+1 -1
View File
@@ -144,7 +144,7 @@
//! # }
//! ```
#![doc(html_root_url = "https://docs.rs/serde_test/1.0.90")]
#![doc(html_root_url = "https://docs.rs/serde_test/1.0.91")]
#![cfg_attr(feature = "cargo-clippy", allow(renamed_and_removed_lints))]
#![cfg_attr(feature = "cargo-clippy", deny(clippy, clippy_pedantic))]
// Ignored clippy lints
+2 -4
View File
@@ -7,14 +7,12 @@ publish = false
[features]
unstable = ["serde/unstable"]
compiletest = ["compiletest_rs"]
[dev-dependencies]
fnv = "1.0"
rustc-serialize = "0.3.16"
select-rustc = "0.1"
serde = { path = "../serde", features = ["rc", "derive"] }
serde_derive = { path = "../serde_derive", features = ["deserialize_in_place"] }
serde_test = { path = "../serde_test" }
[dependencies]
compiletest_rs = { version = "0.3", optional = true, features = ["stable"] }
trybuild = "1.0"
-18
View File
@@ -1,18 +0,0 @@
#### To run unit tests
```sh
cargo test
```
#### To run ui tests
```sh
(cd deps && cargo clean && cargo update && cargo build)
cargo test --features compiletest
```
#### To update goldens after running ui tests
```sh
tests/ui/update-references.sh
```
-11
View File
@@ -1,11 +0,0 @@
[package]
name = "serde_test_suite_deps"
version = "0.0.0"
authors = ["David Tolnay <dtolnay@gmail.com>"]
publish = false
[workspace]
[dependencies]
serde = { path = "../../serde" }
serde_derive = { path = "../../serde_derive" }
-3
View File
@@ -1,3 +0,0 @@
#![feature(/*=============================================]
#![=== Serde test suite requires a nightly compiler. ===]
#![====================================================*/)]
+3 -18
View File
@@ -1,21 +1,6 @@
#![cfg(feature = "compiletest")]
use compiletest_rs as compiletest;
#[rustc::attr(not(nightly), ignore)]
#[test]
fn ui() {
compiletest::run_tests(&compiletest::Config {
mode: compiletest::common::Mode::Ui,
src_base: std::path::PathBuf::from("tests/ui"),
target_rustcflags: Some(String::from(
"\
--edition=2018 \
-L deps/target/debug/deps \
-Z unstable-options \
--extern serde_derive \
",
)),
build_base: std::path::PathBuf::from("../target/ui"),
..Default::default()
});
let t = trybuild::TestCases::new();
t.compile_fail("tests/ui/**/*.rs");
}
+62 -2
View File
@@ -1,5 +1,8 @@
use serde::de::{value, IntoDeserializer};
use serde::Deserialize;
use serde::de::value::{self, MapAccessDeserializer};
use serde::de::{IntoDeserializer, MapAccess, Visitor};
use serde::{Deserialize, Deserializer};
use serde_test::{assert_de_tokens, Token};
use std::fmt;
#[test]
fn test_u32_to_enum() {
@@ -32,3 +35,60 @@ fn test_integer128() {
// i128 to i128
assert_eq!(1i128, i128::deserialize(de_i128).unwrap());
}
#[test]
fn test_map_access_to_enum() {
#[derive(PartialEq, Debug)]
struct Potential(PotentialKind);
#[derive(PartialEq, Debug, Deserialize)]
enum PotentialKind {
Airebo(Airebo),
}
#[derive(PartialEq, Debug, Deserialize)]
struct Airebo {
lj_sigma: f64,
}
impl<'de> Deserialize<'de> for Potential {
fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
where
D: Deserializer<'de>,
{
struct PotentialVisitor;
impl<'de> Visitor<'de> for PotentialVisitor {
type Value = Potential;
fn expecting(&self, formatter: &mut fmt::Formatter) -> fmt::Result {
write!(formatter, "a map")
}
fn visit_map<A>(self, map: A) -> Result<Self::Value, A::Error>
where
A: MapAccess<'de>,
{
Deserialize::deserialize(MapAccessDeserializer::new(map)).map(Potential)
}
}
deserializer.deserialize_any(PotentialVisitor)
}
}
let expected = Potential(PotentialKind::Airebo(Airebo { lj_sigma: 14.0 }));
assert_de_tokens(
&expected,
&[
Token::Map { len: Some(1) },
Token::Str("Airebo"),
Token::Map { len: Some(1) },
Token::Str("lj_sigma"),
Token::F64(14.0),
Token::MapEnd,
Token::MapEnd,
],
);
}
@@ -3,6 +3,3 @@ error: failed to parse borrowed lifetimes: "zzz"
|
5 | #[serde(borrow = "zzz")]
| ^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: duplicate borrowed lifetime `'a`
|
5 | #[serde(borrow = "'a + 'a")]
| ^^^^^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: duplicate serde attribute `borrow`
|
8 | #[serde(borrow)]
| ^^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: at least one lifetime must be borrowed
|
5 | #[serde(borrow = "")]
| ^^
error: aborting due to previous error
@@ -4,6 +4,3 @@ error: field `s` has no lifetimes to borrow
5 | / #[serde(borrow)]
6 | | s: String,
| |_____________^
error: aborting due to previous error
@@ -4,6 +4,3 @@ error: #[serde(borrow)] may only be used on newtype variants
8 | / #[serde(borrow)]
9 | | S { s: Str<'a> },
| |____________________^
error: aborting due to previous error
@@ -4,6 +4,3 @@ error: field `s` does not have lifetime 'b
5 | / #[serde(borrow = "'b")]
6 | | s: &'a str,
| |______________^
error: aborting due to previous error
@@ -7,6 +7,3 @@ error: enum tags `conflict` for type and content conflict with each other
7 | | B,
8 | | }
| |_^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: #[serde(flatten)] cannot be used on newtype structs
|
6 | struct Foo(#[serde(flatten)] HashMap<String, String>);
| ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: #[serde(flatten)] cannot be used on tuple structs
|
6 | struct Foo(u32, #[serde(flatten)] HashMap<String, String>);
| ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
error: aborting due to previous error
@@ -9,6 +9,3 @@ error: variant field name `conflict` conflicts with internal tag
9 | | },
10 | | }
| |_^
error: aborting due to previous error
@@ -9,6 +9,3 @@ error: variant field name `conflict` conflicts with internal tag
9 | | },
10 | | }
| |_^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: #[serde(default)] can only be used on structs with named fields
|
5 | enum E {
| ^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: #[serde(default = "...")] can only be used on structs with named fields
|
5 | enum E {
| ^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: #[serde(default)] can only be used on structs with named fields
|
5 | struct T(u8, u8);
| ^^^^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: #[serde(default = "...")] can only be used on structs with named fields
|
5 | struct T(u8, u8);
| ^^^^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: unknown serde field attribute `serialize`
|
5 | #[serde(rename = "x", serialize = "y")]
| ^^^^^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: duplicate serde attribute `rename`
|
5 | #[serde(rename(serialize = "x"), rename(serialize = "y"))]
| ^^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: duplicate serde attribute `rename`
|
6 | #[serde(rename = "y")]
| ^^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: duplicate serde attribute `rename`
|
5 | #[serde(rename(serialize = "x", serialize = "y"))]
| ^^^^^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: duplicate serde attribute `rename`
|
6 | #[serde(rename(serialize = "y"))]
| ^^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: duplicate serde attribute `serialize_with`
|
5 | #[serde(with = "w", serialize_with = "s")]
| ^^^^^^^^^^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: #[serde(tag = "...", content = "...")] must be used together
|
4 | #[serde(content = "c")]
| ^^^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: #[serde(tag = "...")] cannot be used with tuple variants
|
6 | Tuple(u8, u8),
| ^^^^^^^^^^^^^
error: aborting due to previous error
@@ -15,6 +15,3 @@ error: untagged enum cannot have #[serde(tag = "...", content = "...")]
|
5 | #[serde(tag = "t", content = "c")]
| ^^^^^^^
error: aborting due to 3 previous errors
@@ -9,6 +9,3 @@ error: untagged enum cannot have #[serde(content = "...")]
|
5 | #[serde(content = "c")]
| ^^^^^^^
error: aborting due to 2 previous errors
@@ -9,6 +9,3 @@ error: enum cannot be both untagged and internally tagged
|
5 | #[serde(tag = "type")]
| ^^^
error: aborting due to 2 previous errors
@@ -3,6 +3,3 @@ error: #[serde(untagged)] can only be used on enums
|
5 | struct S;
| ^^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: expected serde rename attribute to be a string: `rename = "..."`
|
5 | #[serde(rename = true)]
| ^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: expected serde rename attribute to be a string: `rename = "..."`
|
5 | #[serde(rename = b'a')]
| ^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: expected serde rename attribute to be a string: `rename = "..."`
|
5 | #[serde(rename = b"byte string")]
| ^^^^^^^^^^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: expected serde rename attribute to be a string: `rename = "..."`
|
5 | #[serde(rename = 'a')]
| ^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: expected serde rename attribute to be a string: `rename = "..."`
|
5 | #[serde(rename = 3.14)]
| ^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: expected serde rename attribute to be a string: `rename = "..."`
|
5 | #[serde(rename = 100)]
| ^^^
error: aborting due to previous error
@@ -9,6 +9,3 @@ error: #[serde(field_identifier)] and #[serde(variant_identifier)] cannot both b
|
4 | #[serde(field_identifier, variant_identifier)]
| ^^^^^^^^^^^^^^^^^^
error: aborting due to 2 previous errors
@@ -3,6 +3,3 @@ error: #[serde(field_identifier)] can only be used on an enum
|
5 | struct S;
| ^^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: #[serde(field_identifier)] may only contain unit variants
|
7 | B(u8, u8),
| ^^^^^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: `Other` must be the last variant
|
7 | Other(String),
| ^^^^^^^^^^^^^
error: aborting due to previous error
@@ -4,6 +4,3 @@ error: #[serde(other)] must be on a unit variant
7 | / #[serde(other)]
8 | | Other(u8, u8),
| |_________________^
error: aborting due to previous error
@@ -4,6 +4,3 @@ error: #[serde(other)] must be on the last variant
7 | / #[serde(other)]
8 | | Other,
| |_________^
error: aborting due to previous error
@@ -4,6 +4,3 @@ error: #[serde(other)] cannot appear on untagged enum
6 | / #[serde(other)]
7 | | Other,
| |_________^
error: aborting due to previous error
@@ -4,6 +4,3 @@ error: #[serde(other)] may not be used on a variant identifier
6 | / #[serde(other)]
7 | | Other,
| |_________^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: #[serde(variant_identifier)] can only be used on an enum
|
5 | struct S;
| ^^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: #[serde(variant_identifier)] may only contain unit variants
|
7 | B(u8, u8),
| ^^^^^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: malformed bound attribute, expected `bound(serialize = ..., deserialize =
|
5 | #[serde(bound(unknown))]
| ^^^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: malformed rename attribute, expected `rename(serialize = ..., deserialize
|
5 | #[serde(rename(unknown))]
| ^^^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: cannot deserialize when there is a lifetime parameter called 'de
|
4 | struct S<'de> {
| ^^^
error: aborting due to previous error
@@ -6,6 +6,3 @@ error: cannot deserialize a dynamically sized struct
6 | | slice: [u8],
7 | | }
| |_^
error: aborting due to previous error
@@ -7,6 +7,3 @@ error: field identifiers cannot be serialized
7 | | B,
8 | | }
| |_^
error: aborting due to previous error
@@ -7,6 +7,3 @@ error: variant identifiers cannot be serialized
7 | | B,
8 | | }
| |_^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: failed to parse path: "~~~"
|
12 | #[serde(getter = "~~~")]
| ^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: failed to parse path: "~~~"
|
10 | #[serde(remote = "~~~")]
| ^^^^^
error: aborting due to previous error
@@ -9,6 +9,3 @@ error: #[serde(getter = "...")] is not allowed in an enum
15 | | },
16 | | }
| |_^
error: aborting due to previous error
@@ -4,6 +4,4 @@ error[E0063]: missing field `b` in initializer of `remote::S`
11 | #[serde(remote = "remote::S")]
| ^^^^^^^^^^^ missing `b`
error: aborting due to previous error
For more information about this error, try `rustc --explain E0063`.
@@ -6,6 +6,3 @@ error: #[serde(getter = "...")] can only be used in structs that have #[serde(re
6 | | a: u8,
7 | | }
| |_^
error: aborting due to previous error
@@ -10,7 +10,5 @@ error[E0560]: struct `remote::S` has no field named `b`
12 | b: u8,
| ^ help: a field with a similar name exists: `a`
error: aborting due to 2 previous errors
Some errors occurred: E0560, E0609.
Some errors have detailed explanations: E0560, E0609.
For more information about an error, try `rustc --explain E0560`.
@@ -3,11 +3,5 @@ error[E0308]: mismatched types
|
7 | #[derive(Deserialize)]
| ^^^^^^^^^^^ expected u16, found u8
help: you can cast an `u8` to `u16`, which will zero-extend the source value
|
7 | #[derive(Deserialize.into())]
| ^^^^^^^^^^^^^^^^^^
error: aborting due to previous error
For more information about this error, try `rustc --explain E0308`.
@@ -7,6 +7,4 @@ error[E0308]: mismatched types
= note: expected type `&u8`
found type `&u16`
error: aborting due to previous error
For more information about this error, try `rustc --explain E0308`.
@@ -7,6 +7,4 @@ error[E0308]: mismatched types
= note: expected type `&u8`
found type `&u16`
error: aborting due to previous error
For more information about this error, try `rustc --explain E0308`.
@@ -3,6 +3,3 @@ error: unknown rename rule for #[serde(rename_all = "abc")]
|
4 | #[serde(rename_all = "abc")]
| ^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: unknown rename rule for #[serde(rename_all = "abc")]
|
5 | #[serde(rename_all = "abc")]
| ^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: #[serde(tag = "...")] can only be used on enums and structs with named fi
|
5 | struct S(u8, u8);
| ^^^^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: #[serde(tag = "...")] can only be used on enums and structs with named fi
|
3 | #[derive(Serialize)]
| ^^^^^^^^^
error: aborting due to previous error
@@ -7,6 +7,3 @@ error: #[serde(transparent)] requires struct to have at most one transparent fie
7 | | b: u8,
8 | | }
| |_^
error: aborting due to previous error
@@ -9,6 +9,3 @@ error: #[serde(transparent)] requires at least one field that is neither skipped
9 | | b: u8,
10 | | }
| |_^
error: aborting due to previous error
@@ -4,6 +4,3 @@ error: #[serde(transparent)] is not allowed on an enum
4 | / #[serde(transparent)]
5 | | enum E {}
| |_________^
error: aborting due to previous error
@@ -7,6 +7,3 @@ error: #[serde(transparent)] requires at least one field that is not skipped
7 | | a: u8,
8 | | }
| |_^
error: aborting due to previous error
@@ -4,6 +4,3 @@ error: #[serde(transparent)] is not allowed on a unit struct
4 | / #[serde(transparent)]
5 | | struct S;
| |_________^
error: aborting due to previous error
@@ -6,6 +6,3 @@ error: #[serde(transparent)] is not allowed with #[serde(from = "...")]
6 | | a: u8,
7 | | }
| |_^
error: aborting due to previous error
@@ -6,6 +6,3 @@ error: #[serde(transparent)] is not allowed with #[serde(into = "...")]
6 | | a: u8,
7 | | }
| |_^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: failed to parse type: from = "Option<T"
|
4 | #[serde(from = "Option<T")]
| ^^^^^^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: failed to parse type: into = "Option<T"
|
4 | #[serde(into = "Option<T")]
| ^^^^^^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: unexpected literal in serde container attribute
|
4 | #[serde("literal")]
| ^^^^^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: unexpected literal in serde field attribute
|
5 | #[serde("literal")]
| ^^^^^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: unexpected literal in serde variant attribute
|
5 | #[serde("literal")]
| ^^^^^^^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: unknown serde container attribute `abc`
|
4 | #[serde(abc = "xyz")]
| ^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: unknown serde field attribute `abc`
|
5 | #[serde(abc = "xyz")]
| ^^^
error: aborting due to previous error
@@ -3,6 +3,3 @@ error: unknown serde variant attribute `abc`
|
5 | #[serde(abc = "xyz")]
| ^^^
error: aborting due to previous error
@@ -6,6 +6,3 @@ error: Serde does not support derive for unions
6 | | y: (),
7 | | }
| |_^
error: aborting due to previous error
@@ -6,6 +6,3 @@ error: Serde does not support derive for unions
6 | | y: (),
7 | | }
| |_^
error: aborting due to previous error
-38
View File
@@ -1,38 +0,0 @@
#!/bin/bash
#
# Copyright 2015 The Rust Project Developers. See the COPYRIGHT
# file at the top-level directory of this distribution and at
# http://rust-lang.org/COPYRIGHT.
#
# Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
# http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
# <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
# option. This file may not be copied, modified, or distributed
# except according to those terms.
# A script to update the references for particular tests. The idea is
# that you do a run, which will generate files in the build directory
# containing the (normalized) actual output of the compiler. This
# script will then copy that output and replace the "expected output"
# files. You can then commit the changes.
#
# If you find yourself manually editing a foo.stderr file, you're
# doing it wrong.
cd "$(dirname "${BASH_SOURCE[0]}")"
BUILD_DIR="../../../target/ui"
for testcase in */*.rs; do
STDERR_NAME="${testcase/%.rs/.stderr}"
STDOUT_NAME="${testcase/%.rs/.stdout}"
if [ -f "$BUILD_DIR/$STDOUT_NAME" ] && \
! (diff "$BUILD_DIR/$STDOUT_NAME" "$STDOUT_NAME" >& /dev/null); then
echo "updating $STDOUT_NAME"
cp "$BUILD_DIR/$STDOUT_NAME" "$STDOUT_NAME"
fi
if [ -f "$BUILD_DIR/$STDERR_NAME" ] && \
! (diff "$BUILD_DIR/$STDERR_NAME" "$STDERR_NAME" >& /dev/null); then
echo "updating $STDERR_NAME"
cp "$BUILD_DIR/$STDERR_NAME" "$STDERR_NAME"
fi
done
@@ -4,6 +4,3 @@ error: variant `Newtype` cannot have both #[serde(deserialize_with)] and a field
5 | / #[serde(deserialize_with = "deserialize_some_newtype_variant")]
6 | | Newtype(#[serde(skip_deserializing)] String),
| |________________________________________________^
error: aborting due to previous error
@@ -8,6 +8,3 @@ error: variant `Struct` cannot have both #[serde(deserialize_with)] and a field
9 | | f2: u8,
10 | | },
| |_____^
error: aborting due to previous error
@@ -4,6 +4,3 @@ error: variant `Tuple` cannot have both #[serde(deserialize_with)] and a field #
5 | / #[serde(deserialize_with = "deserialize_some_other_variant")]
6 | | Tuple(#[serde(skip_deserializing)] String, u8),
| |__________________________________________________^
error: aborting due to previous error

Some files were not shown because too many files have changed in this diff Show More