我正在通过他们的API从Wundground以JSON格式提取天气数据,没有任何问题。我正在尝试将这些数据存储在MongoDB中供以后使用。我实际上得到了数据,并能够将它写入Mongo的集合中。但是,当我执行db.collection.find()时,它几乎看起来像是单独保存每个单独的字符而不是JSON格式。这是获取数据的代码片段,应该保存到Mongo:
// Define the Wunderground method.
var method = "/api/" + apiKey + "/conditions/q/" + state + "/" + city + ".json";
// Define the HTTP post properties.
var options = {
host: 'api.wunderground.com',
path: method,
method: 'GET',
port: 80
};
// Create the HTTP POST.
var request = http.request(options, function (response) {
var str = '';
// Create the listener for data being returned.
response.on('data', function (chunk) {
str += chunk;
// Create the listener for the end of the POST.
response.on('end', function (){
db.collection('weathercollection').save(str, function(err, records) {
if (err) throw err;
console.log("record added");
});
});
JSON格式天气数据的一小部分摘录:
{ "current_observation": {
"image": {
"url": "http://icons-ak.com/graphics/logo.png",
"title": "Weather Underground"
},
"display_location": {
"full":"My City, State",
"city":"My City",
我应该在保存到Mongo之前解析数据吗?所以我错过了什么。正如我所说,如果我输出到控制台所有的天气数据显示完美,我似乎在Node.JS和MongoDB之间做错了。
感谢。
UPDATE ***
我确实尝试用
以这种方式解析“str”// Create the listener for data being returned.
response.on('data', function (chunk) {
str += chunk;
var jsonResult = JSON.parse(str);
// Create the listener for the end of the POST.
response.on('end', function (){
db.collection('weathercollection').save(jsonResult, function(err, records) {
if (err) throw err;
console.log("record added");`
这似乎也没有用。我会再看一遍。
答案 0 :(得分:13)
是的,您需要向send
函数提供一个JavaScript对象(参见MongoDB native driver documentation,它看起来就像您正在使用的那样),但是您发送了一个字符串(这就是为什么你可以在每个data
事件上连接它。您必须使用JSON.parse(str)
将字符串转换为完整对象。
如果您想确定要处理的数据类型,请打印typeof str
和typeof JSON.parse(str)
的结果。
编辑:您的代码中有第二个问题。 response
对象实际上是stream,这意味着它在收到数据时会发出数据。这也意味着您可以多次收到data
个活动。这就是您需要:
data
事件上,将刚刚收到的块连接到字符串在您提供的更新代码段中,您尝试解析第一个数据事件上的字符串,但这可能是一个不完整的字符串。
以下是实现此目的的正确方法:
var str = '';
response.on('data', function(chunk) {
str += chunk;
});
response.on('end', function() {
var myObject = JSON.parse(str);
// Send the Mongo query here
});
与此问题相关,您还注册了end
事件的监听器,这很好,但您在每个data
事件中添加了一个新的监听器!这意味着如果您收到5个数据事件,您将调用将该对象添加到MongoDB的函数的5倍...在上面的代码段中,请注意我已将response.on('end', function() {…})
移到{{1}的外部回调。
答案 1 :(得分:-1)
var MongoClient = require('mongodb').MongoClient, format = require('util').format;
MongoClient.connect('mongodb://127.0.0.1:27017/test', function(err,db) {
if (err) throw err;
console.log("Connected to Database");
var document = {name:"David", title:"About MongoDB"};
// insert record
db.collection('test').insert(document, function(err, records) {
if (err) throw err;
console.log("Record added as " + records[0]._id);
});
});