Berikut adalah beberapa cara untuk membuat instance MongoClient
, mengonfigurasi dan menggunakannya dalam aplikasi Spring Boot.
(1) Mendaftarkan Instance Mongo menggunakan Metadata berbasis Java:
@Configuration
public class AppConfig {
public @Bean MongoClient mongoClient() {
return MongoClients.create();
}
}
Penggunaan dari CommandLineRunner
run
metode (semua contoh dijalankan dengan cara yang sama ):
@Autowired
MongoClient mongoClient;
// Retrieves a document from the "test1" collection and "test" database.
// Note the MongoDB Java Driver API methods are used here.
private void getDocument() {
MongoDatabase database = client.getDatabase("test");
MongoCollection<Document> collection = database.getCollection("test1");
Document myDoc = collection.find().first();
System.out.println(myDoc.toJson());
}
(2) Konfigurasi menggunakan kelas AbstractMongoClientConfiguration dan gunakan dengan MongoOperations:
@Configuration
public class MongoClientConfiguration extends AbstractMongoClientConfiguration {
@Override
public MongoClient mongoClient() {
return MongoClients.create();
}
@Override
protected String getDatabaseName() {
return "newDB";
}
}
Catatan Anda dapat mengatur nama database (newDB
) yang dapat Anda sambungkan. Konfigurasi ini digunakan untuk bekerja dengan database MongoDB menggunakan Spring Data MongoDB API:MongoOperations
(dan implementasinya MongoTemplate
) dan MongoRepository
.
@Autowired
MongoOperations mongoOps;
// Connects to "newDB" database, and gets a count of all documents in the "test2" collection.
// Uses the MongoOperations interface methods.
private void getCollectionSize() {
Query query = new Query();
long n = mongoOps.count(query, "test2");
System.out.println("Collection size: " + n);
}
(3) Konfigurasi menggunakan kelas AbstractMongoClientConfiguration dan gunakan dengan MongoRepository
Menggunakan konfigurasi yang sama MongoClientConfiguration
kelas (di atas dalam topik 2 ), tetapi tambahan anotasi dengan @EnableMongoRepositories
. Dalam hal ini kita akan menggunakan MongoRepository
metode antarmuka untuk mendapatkan data koleksi sebagai objek Java.
Repositori:
@Repository
public interface MyRepository extends MongoRepository<Test3, String> {
}
Test3.java
Kelas POJO mewakili test3
dokumen koleksi:
public class Test3 {
private String id;
private String fld;
public Test3() {
}
// Getter and setter methods for the two fields
// Override 'toString' method
...
}
Metode berikut untuk mendapatkan dokumen dan mencetak sebagai objek Java:
@Autowired
MyRepository repository;
// Method to get all the `test3` collection documents as Java objects.
private void getCollectionObjects() {
List<Test3> list = repository.findAll();
list.forEach(System.out::println);
}