我想读一个大的JSON文件(准确地说是this),迭代它,检查哪些是新条目并根据需要保存或更新。
使用sails和sails mysql执行此操作我发现整个过程第一次变慢,如果我尝试再次运行它会在某个时刻死掉。我的mysql服务器似乎处理了大约24k的请求并且死了。
这是我使用它的代码,但它完全忽略了sails或sails-mysql,我直接使用mysql来实现这一点。
这是工作代码:
var path = require('path')
var Promise = require('bluebird')
var fs = Promise.promisifyAll(require('fs'))
var rootPath = process.cwd()
var filePath = path.join(rootPath, 'assets/systems.json')
var mysql = require("mysql");
Promise.promisifyAll(mysql);
Promise.promisifyAll(require("mysql/lib/Connection").prototype);
Promise.promisifyAll(require("mysql/lib/Pool").prototype);
var pool = mysql.createPool({
connectionLimit: 10,
host: 'localhost',
user: 'user',
password: 'pass',
database: 'db'
});
function getSqlConnection() {
return pool.getConnectionAsync().disposer(function(connection) {
connection.release();
});
}
fs.readFileAsync(filePath, 'utf8').then(JSON.parse).then(function(systems) {
total = systems.length
return systems
})
.map(function(item, index, value) {
Promise.using(getSqlConnection(), function (conn) {
return conn.queryAsync('SELECT * FROM system WHERE name = "' + item.name + '"')
})
.then(function(have_system) {
// do something with the info
return the_result_of_doing_something
})
.caught(function(err) {
console.log(err)
})
}, {concurency: 5})
.caught(SyntaxError, function(e) {
console.log("Invalid JSON in file " + e.fileName + ": " + e.message);
})
.lastly(function() {
broadcast(["All DONE!!!", updated_systems, new_systems, current])
})
如何在不再需要mysql并创建自己的连接的情况下实现此目的?所以这个:
function getSqlConnection() {
return pool.getConnectionAsync().disposer(function(connection) {
connection.release();
});
}
Promise.using(getSqlConnection(), function (conn) {
return conn.queryAsync('SELECT * FROM system WHERE name = "' + item.name + '"')
})
会变成:
function getSailsConnection() {
return sails.pool.getConnectionAsync().disposer(function(connection) {
connection.release();
});
}
Promise.using(getSailsConnection(), function (conn) {
return conn.System.findOne({name: item.name})
})
如果我能正确释放,我甚至不必使用Promise.using()因为水线模型可以使用承诺。
System.findOne({name: item.name}).then(function(have_system) {
// do something
System.releaseConection() // or some other API call to achieve this
})
.caught(function(err) {
System.releaseConection() // or some other API call to achieve this
})
PS:我也尝试添加一个sails-mysql标签,但我不允许。
答案 0 :(得分:1)
你没有从.map
回调中回复任何承诺,因此承诺不仅会过早履行,concurrency
也不会做任何事情。
您还可以使用单个连接:
using(getSailsConnection(),
fs.readFileAsync(filePath, 'utf8').then(JSON.parse), function(conn, systems) {
return systems.map(function(item) {
return conn.System.findOne({name: item.name});
.then(function() {
})
}, {concurrency: 5});
})
.lastly(function() {
broadcast(["All DONE!!!", updated_systems, new_systems, current])
})