Reputation: 1149
I have JSON data that I need to loop through. The data is in a file titled "people.json" that is structured as listed below:
[{"firstname":"John","lastname":"Smith","age":"40"},{"firstname":"Bill","lastname":"Jones","age":"40"}, ...]
I want to read each object in this file and save it (I'm using Mongoose). Here is what I have so far:
var fs = require('fs');
var Person = require('../models/people');
fs.readFile('./people.json', 'utf8', function (err,data) {
var i;
for(i = 0; i < data.length; i++) {
var newPerson = new Person();
newPerson.firstname = data[i].firstname;
newPerson.lastname = data[i].lastname;
newPerson.age = data[i].age;
newPerson.save(function (err) {});
}
});
I'm unable to get this to work though. What am I doing wrong?
Upvotes: 14
Views: 51315
Reputation: 183
ES6 for..of
can do that too.
fs.readFile('./people.json', 'utf8', function (err,data) {
for(var item of data) {
console.log('item: ', [item.firstname, ...]);
}
});
Upvotes: 12
Reputation: 847
fs.readFile('./people.json', 'utf8', function (err,data) {
data = JSON.parse(data); // you missed that...
for(var i = 0; i < data.length; i++) {
var newPerson = new Person();
newPerson.firstname = data[i].firstname;
newPerson.lastname = data[i].lastname;
newPerson.age = data[i].age;
newPerson.save(function (err) {});
}
});
Upvotes: 33