开发者问题收集

如何使用mongodb native、express和body-parser发布请求并保存数据?

2019-02-13
1174

我一直在尝试将数据保存到 mongodb 数据库,但似乎什么都不起作用。我收到的第一个错误与 req.body 有关。

当我单击提交按钮时, console.log(req.body) 返回

[Object: null prototype] { name: 'John', priority: 'go to bed' }

而不是

{ name: 'John', priority: 'go to bed' }

其次,我不知道我是否正确地将数据保存到数据库,因为我已经看到了很多不同的方法,我感到很困惑。

相关代码行

db.collection.insertOne(req.body);

和相关错误:

TypeError: db.createCollection is not a function
const express = require('express');
const app = express();
const bodyParser = require('body-parser');
var urlencodedParser = bodyParser.urlencoded({ extended: false });

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

// Connection URL
const url = "mongodb://localhost:27017";

app.listen(7000);


app.get('/', function(req, res){
    res.sendFile(__dirname + '/index.html');
})

app.post('/todo',urlencodedParser,function(req, res){

    MongoClient.connect(url, { useNewUrlParser: true }, function(err,db){
        if(err) throw err;
        console.log('Databese created!');
        db.collection.insertOne(req.body);
        db.close();
    });
    console.log(req.body);
});
<!DOCTYPE html>
<html lang="en" dir="ltr">
    <head>
        <meta charset="utf-8">
        <title></title>
    </head>
    <body>
        I am an index page.

        <form class="" action="/todo" method="post">
            <input type="text" name="name" placeholder="todo">
            <input type="text" name="priority" placeholder="priority">
            <button type="submit">Submit</button>
        </form>
    </body>
</html>
2个回答

关于第一个错误 ,您应该添加这两行以获取 json 数据作为请求对象,因为您正在以 json 格式发送数据

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

关于第二个查询: 在 mongoDB 中插入记录

MongoClient.connect(url, function(err, db) {
      if (err) throw err;
      var dbo = db.db("mydb");
      var myobj = { name: "Company Inc", address: "Highway 37" };
      dbo.collection("customers").insertOne(myobj, function(err, res) {
        if (err) throw err;
        console.log("1 document inserted");
        db.close();
      });
    });
Harsh Patel
2019-02-13

您的问题是您没有向 MongoDB 实例指定您正在使用的数据库。

const url = "mongodb://localhost:27017/myDataBaseName";

这应该可以为您解决这个问题。

Jaro
2019-02-13