Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Why does serde_json::from_reader take ownership of the reader?

Tags:

json

rust

serde

My code:

fn request_add<T>(request: &mut Request, collection_name: &'static str) -> Fallible<Fallible<String>>
where
    T: serde::Serialize + serde::de::DeserializeOwned,
{
    let add_dao = dao::MongoDao::new(collection_name);
    let obj = serde_json::from_reader::<Body, T>(request.body)?; //cannot move out of borrowed content
    Ok(add_dao.add(&obj))
}

I have a cannot move out of borrowed content error, because request is a reference, but why does serde_json::from_reader not use a mut reference? Why does it need ownership? And how can I fix it?

like image 525
Дмитрий Шулицкий Avatar asked Aug 12 '18 14:08

Дмитрий Шулицкий


1 Answers

Because it's an API guideline:

Generic reader/writer functions take R: Read and W: Write by value (C-RW-VALUE)

The standard library contains these two impls:

impl<'a, R: Read + ?Sized> Read for &'a mut R { /* ... */ }

impl<'a, W: Write + ?Sized> Write for &'a mut W { /* ... */ }

That means any function that accepts R: Read or W: Write generic parameters by value can be called with a mut reference if necessary.

You either call Read::by_ref or just take a reference yourself:

serde_json::from_reader(&mut request.body)
serde_json::from_reader(request.body.by_ref())

See also:

  • Read an arbitrary number of bytes from type implementing Read
  • How to use a file with a BufReader and still be able to write to it?
  • Why does Iterator::take_while take ownership of the iterator?
like image 133
Shepmaster Avatar answered Sep 21 '22 11:09

Shepmaster