到官网下载 MongoDB 的 Binaries,解压并将 bin 目录添加到 PATH(可见上篇文章)。
运行 MongoDB 进程,需要指定数据库目录:
$ mkdir ~/mongodata
$ mongod --dbpath=/home/×××/mongodata --port 27017
这里的路径如果用 ~/mongodata 则会报错。此时可通过命令$ mongo
进入 mongo shell,在 Linux 下也可以下载 Robomongo 等可视化工具。
下面建立我们的项目 newProject,这个 Demo 的目标是:当我们访问 http://127.0.0.1:8081/image 时,可以从 MongoDB 中读取图片并显示。
建立一个文件夹 newProject,进入并执行:
$ cnpm init # 会生成一个 package.json,此时可一路回车跳过
$ cnpm install
安装 MongoDB 的 Node.js 驱动:
$ cnpm install mongodb --save # save 指将该依赖添加到 package.json
在这个文件夹中,新建文件 main.js。
const http = require("http");
const fs = require("fs");
const url = require("url");
const MongoClient = require("mongodb").MongoClient;
const MongoUrl = 'mongodb://localhost:27017/newProjectDB';
MongoUrl 中的网址的最后指的是这个 Demo 所用的数据库名称。印象中这个数据库会随访问而自动创建。
接着:
http.createServer((request, response) => {
let action = url.parse(request.url).pathname;
MongoClient.connect(MongoUrl, (err, db) => {
if (err !== null) {
console.log('MongoDB conneting error!');
return;
}
if (action === '/img') {
db.collection('test').find().toArray((err, docs) => {
response.writeHead(200, {'Content-Type': 'image/jpg'});
response.end(docs[0]['a'].buffer);
})
} else {
fs.readFile('index.html', (err, data) => {
response.writeHead(200, {'Content-Type': 'text/html'});
response.end(data);
});
}
})
}).listen(8081);
这里我已经提前在数据库中插入了唯一一张图片,它的 key 是 a
,故可以调用查询结果docs[0]['a']
。
经过 log 输出,docs[0]['a']
是个对象,其中有 buffer 属性,可以直接传入response.end
函数。
网友评论