여러 문서 찾기
인스턴스 에서find() 메서드를 호출하여 컬렉션 에 있는 여러 문서를 쿼리 할 수 있습니다.Collection
collection에서 필터와 일치하는 문서를 반환하려면 쿼리 필터를 find()
메서드에 전달합니다. 필터를 포함하지 않으면 MongoDB는 collection의 모든 문서를 반환합니다.
find()
메서드는 커서 를 반환합니다. 유형을 지정하며, 이를 반복하여 개별 문서를 검색할 수 있습니다. 커서 사용에 대해 자세히 알아보려면 커서 를 사용하여 데이터 액세스 가이드를 참조하세요.
예시
이 예시 에서는 sample_restaurants
데이터베이스 의 restaurants
컬렉션 에서 쿼리 필터하다 와 일치하는 문서를 검색합니다. find()
메서드는 cuisine
필드 의 값이 "French"
인 모든 문서를 반환합니다.
조회된 각 문서 를 Document
유형 또는 사용자 지정 데이터 유형 으로 모델링할 수 있습니다. 컬렉션의 데이터를 나타내는 데이터 유형 을 지정하려면 강조 표시된 줄의 <T>
유형 매개변수를 다음 값 중 하나로 바꿉니다.
<Document>
: 컬렉션 문서를 BSON 문서로 조회하고 인쇄합니다.<Restaurant>
: 코드 상단에 정의된Restaurant
구조체의 인스턴스로 컬렉션 문서를 조회하고 인쇄합니다.
Asynchronous 또는 Synchronous 탭을 선택하여 각 런타임에 해당하는 코드를 확인합니다.
use mongodb::{ bson::doc, Client, Collection }; use futures::TryStreamExt; use serde::{ Deserialize, Serialize }; struct Restaurant { name: String, cuisine: String, } 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 mut cursor = my_coll.find( doc! { "cuisine": "French" } ).await?; while let Some(doc) = cursor.try_next().await? { println!("{:#?}", doc); } Ok(()) }
use mongodb::{ bson::doc, sync::{Client, Collection} }; use serde::{ Deserialize, Serialize }; struct Restaurant { name: String, cuisine: String, } 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 mut cursor = my_coll.find( doc! { "cuisine": "French" } ).run()?; for result in cursor { println!("{:#?}", result?); } Ok(()) }
출력
컬렉션의 유형 매개변수에 따라 해당 코드 출력을 보려면 BSON Document Results 또는 Restaurant Struct Results 탭 을 선택합니다.
... Some( Document({ "_id": ObjectId( "...", ), ... "name": String( "Cafe Un Deux Trois", ), ... }), ), Some( Document({ "_id": ObjectId( "...", ), ... "name": String( "Calliope", ), ... }), ) ...
... Restaurant { name: "Cafe Un Deux Trois", cuisine: "French", } Restaurant { name: "Calliope", cuisine: "French", } ...