rustHow to convert struct to JSON string in Rust?
Converting a struct to a JSON string in Rust can be done using the serde
crate. serde
provides a set of macros to serialize and deserialize data structures to and from JSON.
Example code
use serde::{Serialize, Deserialize};
#[derive(Serialize, Deserialize)]
struct Person {
name: String,
age: u8,
}
fn main() {
let person = Person {
name: "John".to_string(),
age: 30,
};
let json_string = serde_json::to_string(&person).unwrap();
println!("{}", json_string);
}
Output example
{"name":"John","age":30}
Code explanation
use serde::{Serialize, Deserialize};
: imports theSerialize
andDeserialize
traits from theserde
crate.#[derive(Serialize, Deserialize)]
: derives theSerialize
andDeserialize
traits for thePerson
struct.serde_json::to_string(&person).unwrap()
: serializes theperson
struct to a JSON string.
Helpful links
Related
More of Rust
- How to use non-capturing groups in Rust regex?
- How to match the end of a line in a Rust regex?
- How to get a capture group using Rust regex?
- How to use regex with bytes in Rust?
- How to create a subslice from a Rust slice?
- How to get an entry from a HashSet in Rust?
- How to match all using regex in Rust?
- How to parse JSON string in Rust?
- Hashshet example in Rust
- How to use an enum in a Rust HashMap?
See more codes...