MongoDB への接続とクエリ Express

Web アプリケーションの開発プロセスでは、データベースへの接続とデータベースへのクエリは重要な部分です。 この記事では、アプリケーションで MongoDB データベースに接続してクエリを実行する方法を説明します Express。 MongoDB は、その柔軟性と拡張性により、Node.js アプリケーションにデータを保存するための一般的な選択肢です。

 

MongoDB を次のように接続します Express。

開始するには、npm 経由で Mongoose パッケージをインストールし、MongoDB データベースへの接続を構成する必要があります。

npm install express mongoose

MongoDB に接続する方法の例を次に示します Express。

const mongoose = require('mongoose');  
const express = require('express');  
const app = express();  
  
// Connect to the MongoDB database  
mongoose.connect('mongodb://localhost/mydatabase', { useNewUrlParser: true, useUnifiedTopology: true })  
  .then(() => {  
    console.log('Connected to MongoDB');  
    // Continue writing routes and logic in Express  
  })  
  .catch((error) => {  
    console.error('Error connecting to MongoDB:', error);  
  });  
  
// ... Other routes and logic in Express  
  
app.listen(3000,() => {  
  console.log('Server started');  
});  

 

MongoDB からのデータのクエリ:

MongoDB への接続に成功したら、アプリケーション内でデータ クエリを実行できるようになります Express。 Mongoose を使用して MongoDB からデータをクエリする例を次に示します。

const mongoose = require('mongoose');  
  
// Define the schema and model  
const userSchema = new mongoose.Schema({  
  name: String,  
  age: Number  
});  
  
const User = mongoose.model('User', userSchema);  
  
// Query data from MongoDB  
User.find({ age: { $gte: 18 } })  
  .then((users) => {  
    console.log('List of users:', users);  
    // Continue processing the returned data  
  })  
  .catch((error) => {  
    console.error('Error querying data:', error);  
  });  

上の例では、「User」オブジェクトのスキーマを定義し、そのモデルを使用してデータ クエリを実行します。 ここでは、18 歳以上のすべてのユーザーをクエリし、返された結果をログに記録します。

 

結論: この記事では、アプリケーションで MongoDB データベースに接続してクエリを実行する方法について説明しました Express。 Node.js アプリケーションのデータベース ソリューションとして MongoDB を使用すると、柔軟で強力なオプションが得られます。 Mongoose を利用することで、データ クエリを簡単に実行し、信頼性の高い Web アプリケーションを構築できます。