Skip to content

Commit f6d4707

Browse files
authored
Merge pull request #29 from thedodd/28-find-one-and-do
28 implement find_one_and_* methods.
2 parents 4b70711 + 6327556 commit f6d4707

File tree

7 files changed

+204
-19
lines changed

7 files changed

+204
-19
lines changed

CHANGELOG.md

+1-1
Original file line numberDiff line numberDiff line change
@@ -2,7 +2,7 @@ changelog
22
=========
33

44
## 0.8
5-
The core `wither` crate is 100% backwards compatible with this relase.
5+
The core `wither` crate is 100% backwards compatible with this relase, but the `Model` trait has received a few additional methods. Namely the `find_one_and_(delete|replace|update)` methods. Came across a use case where I needed them and then realized that I never implemented them. Now they are here. Woot woot!
66

77
The `wither_derive` crate has received a few backwareds incompatible changes. The motivation behind doing this is detailed in [#21](https://github.com/thedodd/wither/issues/21). The main issue is that we need the derive system to be abstract enough to deal with embedded documents. The backwards incompatible changes are here.
88
- within `#[model(index())]`, the `index_type` attr has been reduced to simply be `index`. All of the same rules apply as before. This change was made for ergonomic reasons. Less typing. Easier to follow.

Cargo.lock

+5-5
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

wither/Cargo.toml

+3-3
Original file line numberDiff line numberDiff line change
@@ -2,14 +2,14 @@
22
authors = ["Anthony Dodd <[email protected]>"]
33
categories = ["database", "data-structures"]
44
description = "An ODM for MongoDB built upon the mongo rust driver."
5-
documentation = "https://github.com/thedodd/wither"
5+
documentation = "https://docs.rs/wither"
66
homepage = "https://github.com/thedodd/wither"
77
keywords = ["mongodb", "odm", "orm"]
88
license = "Apache-2.0"
99
name = "wither"
1010
readme = "../README.md"
1111
repository = "https://github.com/thedodd/wither"
12-
version = "0.8.0-beta.0"
12+
version = "0.8.0"
1313

1414
[dependencies]
1515
chrono = "0.4"
@@ -20,7 +20,7 @@ serde_derive = "1"
2020

2121
[dev-dependencies]
2222
lazy_static = "1"
23-
wither_derive = { version = "0.8.0-beta.0", path = "../wither_derive" }
23+
wither_derive = { version = "0.8.0", path = "../wither_derive" }
2424

2525
[features]
2626
docinclude = [] # Used only for activating `doc(include="...")` on nightly.

wither/docs/underlying-driver.md

+39
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,39 @@
1+
### underlying driver
2+
If at any point in time you need direct access to the [underlying driver](https://docs.rs/mongodb/latest/mongodb/), it is always available. All of the `Model` interface methods take a handle to the database, which is part of the underlying driver. You can then use the [`Model::COLLECTION_NAME`](https://docs.rs/wither/latest/wither/model/trait.Model.html#associatedconstant.COLLECTION_NAME) to ensure you are accessing the correct collection. You can also use the various model convenience methods for serialization, such as the [`Model::instance_from_document`](https://docs.rs/wither/latest/wither/model/trait.Model.html#method.instance_from_document) method.
3+
4+
```rust
5+
# #[macro_use]
6+
# extern crate mongodb;
7+
# extern crate serde;
8+
# #[macro_use(Serialize, Deserialize)]
9+
# extern crate serde_derive;
10+
# extern crate wither;
11+
# #[macro_use(Model)]
12+
# extern crate wither_derive;
13+
#
14+
# use wither::prelude::*;
15+
# use mongodb::{
16+
# Document, ThreadedClient,
17+
# coll::options::IndexModel,
18+
# db::ThreadedDatabase,
19+
# };
20+
#
21+
#[derive(Model, Serialize, Deserialize)]
22+
struct MyModel {
23+
#[serde(rename="_id", skip_serializing_if="Option::is_none")]
24+
pub id: Option<mongodb::oid::ObjectId>,
25+
26+
#[model(index(index="dsc", unique="true"))]
27+
pub email: String,
28+
}
29+
30+
fn main() {
31+
// Your DB handle. This is part of the underlying driver.
32+
let db = mongodb::Client::with_uri("mongodb://localhost:27017/").unwrap().db("mydb");
33+
34+
// Use the driver directly, but rely on your model for getting the collection name.
35+
let coll = db.collection(MyModel::COLLECTION_NAME);
36+
37+
// Now you can use the raw collection interface to your heart's content.
38+
}
39+
```

wither/src/model.rs

+46-8
Original file line numberDiff line numberDiff line change
@@ -9,6 +9,7 @@ use mongodb::{
99
Collection,
1010
options::{
1111
CountOptions,
12+
FindOneAndDeleteOptions,
1213
FindOneAndUpdateOptions,
1314
FindOptions,
1415
IndexModel,
@@ -58,6 +59,7 @@ pub fn basic_index_options(name: &str, background: bool, unique: Option<bool>, e
5859
#[cfg_attr(feature="docinclude", doc(include="../docs/model-sync.md"))]
5960
#[cfg_attr(feature="docinclude", doc(include="../docs/logging.md"))]
6061
#[cfg_attr(feature="docinclude", doc(include="../docs/manually-implementing-model.md"))]
62+
#[cfg_attr(feature="docinclude", doc(include="../docs/underlying-driver.md"))]
6163
pub trait Model<'a> where Self: Serialize + Deserialize<'a> {
6264

6365
/// The name of the collection where this model's data is stored.
@@ -69,8 +71,8 @@ pub trait Model<'a> where Self: Serialize + Deserialize<'a> {
6971
/// Set the ID for this model.
7072
fn set_id(&mut self, ObjectId);
7173

72-
///////////////////////////////
73-
// Write Concern Abstraction //
74+
//////////////////////////////////////////////////////////////////////////////////////////////
75+
// Write Concern Abstraction /////////////////////////////////////////////////////////////////
7476

7577
/// The model's write concern for database writes.
7678
///
@@ -168,8 +170,44 @@ pub trait Model<'a> where Self: Serialize + Deserialize<'a> {
168170
Ok(Some(instance))
169171
}
170172

171-
////////////////////
172-
// Instance Layer //
173+
/// Finds a single document and deletes it, returning the original.
174+
fn find_one_and_delete(db: Database, filter: Document, options: Option<FindOneAndDeleteOptions>) -> Result<Option<Self>> {
175+
db.collection(Self::COLLECTION_NAME).find_one_and_delete(filter, options)
176+
.and_then(|docopt| match docopt {
177+
Some(doc) => match Self::instance_from_document(doc) {
178+
Ok(model) => Ok(Some(model)),
179+
Err(err) => Err(err),
180+
}
181+
None => Ok(None),
182+
})
183+
}
184+
185+
/// Finds a single document and replaces it, returning either the original or replaced document.
186+
fn find_one_and_replace(db: Database, filter: Document, replacement: Document, options: Option<FindOneAndUpdateOptions>) -> Result<Option<Self>> {
187+
db.collection(Self::COLLECTION_NAME).find_one_and_replace(filter, replacement, options)
188+
.and_then(|docopt| match docopt {
189+
Some(doc) => match Self::instance_from_document(doc) {
190+
Ok(model) => Ok(Some(model)),
191+
Err(err) => Err(err),
192+
}
193+
None => Ok(None),
194+
})
195+
}
196+
197+
/// Finds a single document and updates it, returning either the original or updated document.
198+
fn find_one_and_update(db: Database, filter: Document, update: Document, options: Option<FindOneAndUpdateOptions>) -> Result<Option<Self>> {
199+
db.collection(Self::COLLECTION_NAME).find_one_and_update(filter, update, options)
200+
.and_then(|docopt| match docopt {
201+
Some(doc) => match Self::instance_from_document(doc) {
202+
Ok(model) => Ok(Some(model)),
203+
Err(err) => Err(err),
204+
}
205+
None => Ok(None),
206+
})
207+
}
208+
209+
//////////////////////////////////////////////////////////////////////////////////////////////
210+
// Instance Layer ////////////////////////////////////////////////////////////////////////////
173211

174212
/// Delete this model instance by ID.
175213
fn delete(&self, db: Database) -> Result<()> {
@@ -311,8 +349,8 @@ pub trait Model<'a> where Self: Serialize + Deserialize<'a> {
311349
})
312350
}
313351

314-
/////////////////////////
315-
// Convenience Methods //
352+
//////////////////////////////////////////////////////////////////////////////////////////////
353+
// Convenience Methods ///////////////////////////////////////////////////////////////////////
316354

317355
/// Attempt to serialize the given bson document into an instance of this model.
318356
fn instance_from_document(document: Document) -> Result<Self> {
@@ -322,8 +360,8 @@ pub trait Model<'a> where Self: Serialize + Deserialize<'a> {
322360
}
323361
}
324362

325-
///////////////////////
326-
// Maintenance Layer //
363+
//////////////////////////////////////////////////////////////////////////////////////////////
364+
// Maintenance Layer /////////////////////////////////////////////////////////////////////////
327365

328366
/// Get the vector of index models for this model.
329367
fn indexes() -> Vec<IndexModel> {

wither/tests/model.rs

+108
Original file line numberDiff line numberDiff line change
@@ -126,6 +126,114 @@ fn model_find_one_should_fetch_the_model_instance_matching_given_filter() {
126126
assert_eq!(&user_from_db.email, &user.email);
127127
}
128128

129+
//////////////////////////////////////////////////////////////////////////////
130+
// Model::find_one_and_delete ////////////////////////////////////////////////
131+
132+
#[test]
133+
fn model_find_one_and_delete_should_delete_the_target_doc() {
134+
let fixture = Fixture::new().with_dropped_database().with_synced_models();
135+
let db = fixture.get_db();
136+
let mut user = User{id: None, email: "[email protected]".to_string()};
137+
let mut user2 = User{id: None, email: "[email protected]".to_string()};
138+
139+
user.save(db.clone(), None).expect("Expected a successful save operation.");
140+
user2.save(db.clone(), None).expect("Expected a successful save operation.");
141+
let output = User::find_one_and_delete(db.clone(), doc!{"email": "[email protected]"}, None)
142+
.expect("Expected a operation.").unwrap();
143+
144+
assert_eq!(&output.email, &user.email);
145+
}
146+
147+
//////////////////////////////////////////////////////////////////////////////
148+
// Model::find_one_and_replace ///////////////////////////////////////////////
149+
150+
#[test]
151+
fn model_find_one_and_replace_should_replace_the_target_doc_and_return_new_doc() {
152+
let fixture = Fixture::new().with_dropped_database().with_synced_models();
153+
let db = fixture.get_db();
154+
let mut user = User{id: None, email: "[email protected]".to_string()};
155+
let mut user2 = User{id: None, email: "[email protected]".to_string()};
156+
let mut opts = FindOneAndUpdateOptions::new();
157+
opts.return_document = Some(ReturnDocument::After);
158+
159+
user.save(db.clone(), None).expect("Expected a successful save operation.");
160+
user2.save(db.clone(), None).expect("Expected a successful save operation.");
161+
let output = User::find_one_and_replace(
162+
db.clone(),
163+
doc!{"email": "[email protected]"},
164+
doc!{"email": "[email protected]"},
165+
Some(opts),
166+
).expect("Expected a operation.").unwrap();
167+
168+
assert_eq!(&output.email, "[email protected]");
169+
}
170+
171+
#[test]
172+
fn model_find_one_and_replace_should_replace_the_target_doc_and_return_old_doc() {
173+
let fixture = Fixture::new().with_dropped_database().with_synced_models();
174+
let db = fixture.get_db();
175+
let mut user = User{id: None, email: "[email protected]".to_string()};
176+
let mut user2 = User{id: None, email: "[email protected]".to_string()};
177+
let mut opts = FindOneAndUpdateOptions::new();
178+
opts.return_document = Some(ReturnDocument::Before);
179+
180+
user.save(db.clone(), None).expect("Expected a successful save operation.");
181+
user2.save(db.clone(), None).expect("Expected a successful save operation.");
182+
let output = User::find_one_and_replace(
183+
db.clone(),
184+
doc!{"email": "[email protected]"},
185+
doc!{"email": "[email protected]"},
186+
Some(opts),
187+
).expect("Expected a operation.").unwrap();
188+
189+
assert_eq!(&output.email, "[email protected]");
190+
}
191+
192+
//////////////////////////////////////////////////////////////////////////////
193+
// Model::find_one_and_update ////////////////////////////////////////////////
194+
195+
#[test]
196+
fn model_find_one_and_update_should_update_target_document_and_return_new() {
197+
let fixture = Fixture::new().with_dropped_database().with_synced_models();
198+
let db = fixture.get_db();
199+
let mut user = User{id: None, email: "[email protected]".to_string()};
200+
let mut user2 = User{id: None, email: "[email protected]".to_string()};
201+
let mut opts = FindOneAndUpdateOptions::new();
202+
opts.return_document = Some(ReturnDocument::After);
203+
204+
user.save(db.clone(), None).expect("Expected a successful save operation.");
205+
user2.save(db.clone(), None).expect("Expected a successful save operation.");
206+
let output = User::find_one_and_update(
207+
db.clone(),
208+
doc!{"email": "[email protected]"},
209+
doc!{"$set": doc!{"email": "[email protected]"}},
210+
Some(opts),
211+
).expect("Expected a operation.").unwrap();
212+
213+
assert_eq!(&output.email, "[email protected]");
214+
}
215+
216+
#[test]
217+
fn model_find_one_and_update_should_update_target_document_and_return_old() {
218+
let fixture = Fixture::new().with_dropped_database().with_synced_models();
219+
let db = fixture.get_db();
220+
let mut user = User{id: None, email: "[email protected]".to_string()};
221+
let mut user2 = User{id: None, email: "[email protected]".to_string()};
222+
let mut opts = FindOneAndUpdateOptions::new();
223+
opts.return_document = Some(ReturnDocument::Before);
224+
225+
user.save(db.clone(), None).expect("Expected a successful save operation.");
226+
user2.save(db.clone(), None).expect("Expected a successful save operation.");
227+
let output = User::find_one_and_update(
228+
db.clone(),
229+
doc!{"email": "[email protected]"},
230+
doc!{"$set": doc!{"email": "[email protected]"}},
231+
Some(opts),
232+
).expect("Expected a operation.").unwrap();
233+
234+
assert_eq!(&output.email, "[email protected]");
235+
}
236+
129237
//////////////////////////////////////////////////////////////////////////////
130238
// Model.update //////////////////////////////////////////////////////////////
131239

wither_derive/Cargo.toml

+2-2
Original file line numberDiff line numberDiff line change
@@ -2,14 +2,14 @@
22
authors = ["Anthony Dodd <[email protected]>"]
33
categories = ["database", "data-structures"]
44
description = "An ODM for MongoDB built upon the mongo rust driver."
5-
documentation = "https://github.com/thedodd/wither"
5+
documentation = "https://docs.rs/wither"
66
homepage = "https://github.com/thedodd/wither"
77
keywords = ["mongodb", "odm", "orm"]
88
license = "Apache-2.0"
99
name = "wither_derive"
1010
readme = "README.md"
1111
repository = "https://github.com/thedodd/wither"
12-
version = "0.8.0-beta.0"
12+
version = "0.8.0"
1313

1414
[lib]
1515
proc-macro = true

0 commit comments

Comments
 (0)