인스턴스 에서 delete_many() 메서드를 호출하여 한 번의 Collection
작업으로 컬렉션 에서 여러 문서를 삭제 수 있습니다.
쿼리 필터를 delete_many()
메서드에 전달하여 collection에서 필터와 일치하는 문서를 삭제합니다. 필터를 포함하지 않으면 MongoDB는 collection의 모든 문서를 삭제합니다.
delete_many()
메서드는 DeleteResult 를 반환합니다. 유형. 이 유형에는 삭제된 총 문서 수와 같은 삭제 작업에 대한 정보가 포함됩니다.
삭제 작업에 학습 보려면 문서 삭제 가이드 를 참조하세요.
팁
collection의 모든 문서를 삭제하려면 인스턴스에서 메서드를 호출하는 drop()
것이 Collection
좋습니다. drop()
메서드에 대해 자세히 알아보려면 데이터베이스 및 collection 가이드 의 collection 삭제 섹션을 참조하세요.
예시
이 예시 sample_restaurants
데이터베이스 의 restaurants
컬렉션 에서 쿼리 필터하다 와 일치하는 모든 문서를 삭제합니다. delete_many()
메서드는 borough
필드 의 값이 "Manhattan"
이고 address.street
필드 의 값이 "Broadway"
인 문서를 삭제합니다.
restaurants
컬렉션 의 문서에 Document
유형 또는 사용자 지정 데이터 유형 의 인스턴스로 액세스 할 수 있습니다. 컬렉션의 데이터를 나타내는 데이터 유형 지정하려면 강조 표시된 줄의 <T>
유형 매개변수를 다음 값 중 하나로 바꿉니다.
<Document>
: 컬렉션 문서를 BSON 문서로 액세스합니다.<Restaurant>
: 코드 상단에 정의된Restaurant
구조체의 인스턴스로 컬렉션 문서에 액세스합니다.
Asynchronous 또는 Synchronous 탭을 선택하여 각 런타임에 해당하는 코드를 확인합니다.
use mongodb::{ bson::{ Document, doc }, Client, Collection }; use serde::{ Deserialize, Serialize }; struct Address { street: String, city: String, } struct Restaurant { name: String, borough: String, address: Address, } async fn main() -> mongodb::error::Result<()> { let uri = "<connection string>"; let client = Client::with_uri_str(uri).await?; // Replace <T> with the <Document> or <Restaurant> type parameter let my_coll: Collection<T> = client .database("sample_restaurants") .collection("restaurants"); let filter = doc! { "$and": [ doc! { "borough": "Manhattan" }, doc! { "address.street": "Broadway" } ] }; let result = my_coll.delete_many(filter).await?; println!("Deleted documents: {}", result.deleted_count); Ok(()) }
// Your values might differ Deleted documents: 615
use mongodb::{ bson::{ Document, doc }, sync::{ Client, Collection } }; use serde::{ Deserialize, Serialize }; struct Address { street: String, city: String, } struct Restaurant { name: String, borough: String, address: Address, } fn main() -> mongodb::error::Result<()> { let uri = "<connection string>"; let client = Client::with_uri_str(uri)?; // Replace <T> with the <Document> or <Restaurant> type parameter let my_coll: Collection<T> = client .database("sample_restaurants") .collection("restaurants"); let filter = doc! { "$and": [ doc! { "borough": "Manhattan" }, doc! { "address.street": "Broadway" } ] }; let result = my_coll.delete_many(filter).run()?; println!("Deleted documents: {}", result.deleted_count); Ok(()) }
// Your values might differ Deleted documents: 615