web-dev-qa-db-ja.com

TypeError:db.collectionは関数ではありません

MLabで作成したデータベースにデータを投稿しようとしていますが、このエラーが発生していますが、問題が発生しているのかわかりません。私はこれが初めてです。だからここに私は私が実装しようとしているコードを投稿しています、そしてそれはこのチュートリアルから取られています 30分未満 - a07ea9e390d2

server.js

const express = require('express');
const MongoClient = require('mongodb').MongoClient;
const bodyParser = require('body-parser');

const db = require('./config/db');


const app = express();

const port = 8000;

app.use(bodyParser.urlencoded({extened:true}));


MongoClient.connect(db.url,(err,database) =>{

    if (err) return console.log(err)
    require('./app/routes')(app,{});
    app.listen(port,() => {
        console.log("We are live on"+port); 
    });

})

db.js

module.exports = {
  url : "mongodb://JayTanna:[email protected]:47510/testing"
};

index.js

const noteroutes = require('./note_routes');

module.exports = function(app,db)
{
    noteroutes(app,db);

};

note_routes.js

module.exports = function(app, db) {
  app.post('/notes', (req, res) => {
    const note = { text: req.body.body, title: req.body.title };
    db.collection('notes').insert(note, (err, result) => {
      if (err) { 
        res.send({ 'error': 'An error has occurred' }); 
      } else {
        res.send(result.ops[0]);
      }
    });
  });
};
58
Jay Tanna

あなたのserver.jsでは、あなたのroutes/index.jsエクスポート関数が期待するものとしてデータベースを第二引数として渡す必要があるところに空のオブジェクトを渡しています。

PFBがserver.jsを更新した。

const express = require('express');
const MongoClient = require('mongodb').MongoClient;
const bodyParser = require('body-parser');

const db = require('./config/db');

const app = express();

const port = 8000;

app.use(bodyParser.urlencoded({extended:true}));

MongoClient.connect(db.url,(err,database) =>{

    if (err) return console.log(err)
    //require('./app/routes')(app,{});
    //check below line changed
     require('./app/routes')(app, database);
    app.listen(port,() => {
        console.log("We are live on"+port); 
    });

});
8
Mihir Bhende

それで、私はそれを試してみたのでmongodb 2.2.33に落ちると言う答えに投票しました、そしてそれから私はあなたがバージョン> =を保つことを可能にする解決策を見つけるためにただ問題を解決するためのダウングレードについて奇妙に感じました3.0。誰かがこの問題を見つけ、彼らの問題が受け入れられた答えのような空白の参考文献を伝えていなかったならば、この解決策を試してみてください。

実行すると..

MongoClient.connect(db.url,(err,database) =>{ }

Mongodbバージョン> = 3.0では、そのdatabase変数は実際にはdatabase.collection('whatever')でアクセスしようとしているオブジェクトの親オブジェクトです。正しいオブジェクトにアクセスするには、自分のデータベース名を参照する必要があります。

MongoClient.connect(db.url,(err,database) =>{ 
  const myAwesomeDB = database.db('myDatabaseNameAsAString')
  myAwesomeDB.collection('theCollectionIwantToAccess')
}

これは私のnode.jsサーバを実行しているときの私のエラーを修正しました。うまくいけば、これは彼らのバージョンをダウングレードしたくない人に役立ちます。

(また、何らかの理由でデータベース名がわからない場合は、console.log(データベース)を実行すると、それがオブジェクト属性として表示されます。)


編集(2018年6月):

this によると、コールバックは実際にはデータベース自体ではなく、データベースに接続しているクライアントを返します。

したがって、データベースインスタンスを取得するには、 thisメソッド を使用する必要があります。これは、dbNameを受け取ります。以下のコメントで@divillysausagesによって言及されているように、ドキュメントではIf not provided, use database name from connection string.を言っていました。

つまり、dbNameがurlによって提供されている場合はdatabase.db().collection('theCollectionIwantToAccess');を呼び出す必要があります。ここで、databaseは実際にはclientです。

226

エラーはmongodbライブラリにあります。 mongodbのバージョン2.2.33をインストールしてみてください。 node_modulesディレクトリを削除して追加

"dependencies": {
   "mongodb": "^2.2.33"
}

それから

npm install

そしてあなたがいる

34
antikytheraton
MongoClient.connect(uristring, function (err, database) {
      var db=database.db('chatroomApp');
      var collections=db.collection('chats');
});

コレクションにアクセスする前に、まずデータベースを取得する必要があります。

19
Shashi Kiran

Mongoの文書によると、接続を以下のように変更する必要があります。

The legacy operation
MongoClient.connect('mongodb://localhost:27017/test', (err, db) => {
    // Database returned
});

is replaced with
MongoClient.connect('mongodb://localhost:27017/test', (err, client) => {
    // Client returned
    var db = client.db('test');
});

Mongoのバージョンをダウングレードする必要はありません:)

12
Dilum Darshana

既存のmongodbパッケージをアンインストールし、次のコマンドを使用して再インストールすると問題が解決しました。 :)

npm uninstall mongodb --save

npm install [email protected] --save

PS:@ MihirBhendeと@yaxartesに感謝

FYI、

この分野に慣れていない場合は、 https://github.com/mongodb/node-mongodb-native/releases からの非RCリリースをお勧めします。

10
Naveen Kumar V

私は同じ問題に遭遇しました。ビデオが作成されてからノードのmongodbドライバモジュールが更新されたようです。私は以下のコードを動作するドキュメントで見つけました。

var MongoClient = require('mongodb').MongoClient;

var url = 'mongodb://localhost:27017/<dbName>';
MongoClient.connect(url, (err, db) => {
   db.collection('<collection-name>').find({}).toArray(function(err, docs) {

    // Print the documents returned
    docs.forEach(function(doc) {
        console.log(doc);
    });

    // Close the DB
    db.close();
    });

});  

に置き換えられます

 var MongoClient = require('mongodb').MongoClient;

  var url = 'mongodb://localhost:27017'; // remove the db name.
    MongoClient.connect(url, (err, client) => {
       var db = client.db(dbName);
       db.collection('<collection-name>').find({}).toArray(function(err, docs) {

        // Print the documents returned
        docs.forEach(function(doc) {
            console.log(doc);
        });

        // Close the DB
        client.close();
        });

    });  

さらに構文の問題が発生した場合に備えて、最新のドキュメントへの リンク を次に示します。

5
Pulkit Aggarwal

最近のバージョンでは"mongodb": "^3.1.3"を使用していましたが、以下のコードで問題が解決しました

server.js

MongoCLient.connect(db.url,(err,client)=>{
    var db=client.db('notable123');
    if(err){
    return console.log(err);
    }
    require('./server-app/routes')(app,db);
    app.listen(port, ()=> {
        console.log("we are live on : "+ port);
    })

})

あなたの郵便番号は

module.exports = function(app,db) {
    app.post('/notes',(req,res)=>{
        const note= {text: req.body.body,title:req.body.title};
        db.collection('notes').insertOne(note,(err,result)=>{
            if(err) {
                res.send({"error":"Ann error has occured"}); 
            } else {
                res.send(result.ops[0])
            }
        });
    });
};
1
Krish
module.exports = function(app, db) {
  app.post('/notes', (req, res) => {
  const note = { text: req.body.body, title: req.body.title };
  db.collection('notes').insert(note, (err, result) => {
...

デシベル - >クライアント

module.exports = function(app, client) {
  var db = client.db("name");
  app.post('/notes', (req, res) => {
  const note = { text: req.body.body, title: req.body.title };
  db.collection('notes').insert(note, (err, result) => {
...
1
Yong-bin Jeong

同様にこの問題を抱えていた、私は発表者が機能としてコレクションを使用していたというチュートリアルに従っていました。それは私のために働いたことがないです。私が発見したのは、発表者がmongodb npmモジュールのバージョン2.3.4を使用していたということです。このモジュールは現在バージョン3.x.xに入っています。 package.jsonファイルを変更して2.x.xバージョンのmogodb npmモジュールを要求すると、突然すべてがうまくいきました。

私が起こったと思ったのは、モジュールがコレクションを別のオブジェクトに変更するように変更されたことです。新しいバージョンの使用方法はわかりませんが、2.x.xバージョンを使用するように指定した場合は、古い方法でうまくいくはずです。具体的には、(私のpackage.jsonファイル、 "dependencies"セクションから) "mongodb": "^ 2.2.31"が動作することを確認できます。

最良の方法:

$> npm install [email protected] --save
0
PhiipT

あなたのpackage.jsonで。

次のバージョンがこのようになっていることを確認してください。

"nodemon": "^1.12.1"
"mongodb": "^2.2.33"

上記のnodemonとmongodbのバージョンは、エラーなしで連携して動作します。だからあなたのpackage.jsonはこのように見えるはずです:

    {
  "name": "myapi",
  "version": "1.0.0",
  "description": "Json Api",
  "main": "server.js",
  "scripts": {
    "test": "echo \"Error: no test specified\" && exit 1",
    "dev": "nodemon server.js"
  },
  "author": "Riley Manda",
  "license": "ISC",
  "dependencies": {
    "body-parser": "^1.18.2",
    "express": "^4.16.2",
    "mongodb": "^2.2.33"
  },
  "devDependencies": {
    "nodemon": "^1.12.1"
  }
}

ダウングレード後は、npm installを実行することを忘れないでください。

0
RileyManda

Dilum Darshanaに感謝します。あなたのアドバイスは大いに役立ちました。私はちょうどあなたが約束を使うならば、それがこのように見えるであろうということを加えたい、

let db;
MongoClient.connect('mongodb://localhost/collectionName').then(connection => {
    db = connection.db('collectionName');
    app.listen(3000, () => {
        console.log("App started on port 3000");
    }); 
}).catch(error => {
    console.log('ERROR:', error);
});
0
Alexandr Shmidt

を使用して作業コード:

npm version 6.0.1,
Node version 10.1.0
"body-parser": "^1.18.3",
"express": "^4.16.3",
"mongodb": "^3.1.0-beta4"
"nodemon": "^1.17.4"

これがserver.jsコードです。

const express       = require('express');
const MongoClient   = require('mongodb').MongoClient;
const bodyParser    = require('body-parser');
const db            = require('./config/db');
const app           = express();
const port          = 8000;

app.use(bodyParser.urlencoded({ extended:true }))
MongoClient.connect(db.url, { useNewUrlParser: true },  (err, client)=>{
    var db = client.db('notable');
    if (err) return console.log(err)

    require('./app/routes')(app, client);
    app.listen(port,()=>{
        console.log('we are live at '+ port);
    });
})

これがconfig/db.jsコードです。

module.exports = {
    url:"mongodb://127.0.0.1:27017"
}

これはroutes/note_routes.jsです:

 var ObjectId = require('mongodb').ObjectID;
 module.exports= function (app, client) {
        var db = client.db('notable');
        //find One
        app.get('/notes/:id', (req, res)=>{
                const id =req.params.id;
                const details ={'_id': new ObjectId(id)}
                db.collection('notes').findOne(details, (err, item)=>{
                    if(err)
                    {
                        res.send({'error':"An error has occured"})
                    }
                    else
                    {
                        res.send(item)
                    }
                });
            });
            //update rout
            app.put('/notes/:id', (req, res)=>{
                const id =req.params.id;
                const details ={'_id': new ObjectId(id)}
                const note ={text: req.body.body, title: req.body.title};
                db.collection('notes').update(details, note, (err, item)=>{
                    if(err)
                    {
                        res.send({'error':"An error has occured"})
                    }
                    else
                    {
                        res.send(item)
                    }
                });
            });

            //delete route
            app.delete('/notes/:id', (req, res)=>{
                const id =req.params.id;
                const details ={'_id': new ObjectId(id)}
                db.collection('notes').remove(details, (err, item)=>{
                    if(err)
                    {
                        res.send({'error':"An error has occured"})
                    }
                    else
                    {
                        res.send("Note "+id+"deleted!")
                    }
                });
            });
            //insert route
            app.post('/notes', (req, res)=>{
                const note ={text: req.body.body, title: req.body.title};
                db.collection('notes').insert(note, (err, results)=>{
                    if(err)
                    {
                        res.send({'error':"An error has occured"})
                    }
                    else
                    {
                        res.send(results.ops[0])
                    }
                });

            });
        };
0
Sanaullah Ahmad

接続URLにデータベース名を使用しないでください:

const mongo_url = 'mongodb://localhost:27017'

代わりに以下の方法を使用してください。

MongoClient.connect(mongo_url , { useNewUrlParser: true }, (err, client) => {
        if (err) return console.log(err)
        const  db =  client.db('student')
        const collection = db.collection('test_student');
        console.log(req.body);
        collection.insertOne(req.body,(err,result)=>{
            if(err){
                res.json(err);
            }
            res.json(result);
        });
    });
0
Ravi Jaisawal
const MongoClient = require('mongodb').MongoClient;

//connection url

 const url = 'mongodb://localhost:27017/myproject';

 MongoClient.connect(url,{useNewUrlParser: true},(err,client)=> {
  if(err) {
    return console.dir(err)
  }

   console.log('Connected to MongoDB')

  //get the collection
  let db = client.db('myproject');
  db.collection('users').insertOne({
  name: 'Hello World',
  email: '[email protected]'

  },(err,result)=> {
  if(err) {
      return console.dir(err)
  }
  console.log("Inserted Document");
  console.log(result);

     });
   });
0
Tikaram Mardi

私は簡単な解決策です:

note_routes.js

db.collection('notes').insert(note, (err, result) => {

交換する

db.db().collection('notes').insert(note, (err, result) => {
0