我对Node和JS世界很陌生。我要实现的目标是"模块化"我的查询并在各种场景中重用它们。这是我的数据库管理员:
'use strict'
const mysql = require('mysql')
var Promise = require('bluebird')
var using = Promise.using
Promise.promisifyAll(require('mysql/lib/Connection').prototype)
Promise.promisifyAll(require('mysql/lib/Pool').prototype)
const config = require('./config')
var pool = mysql.createPool({
connectionLimit: 100,
host: config.dbHost,
user: config.dbUser,
password: config.dbPassword,
database: config.db,
debug: config.dbDebug
})
var getConnection = function () {
return pool.getConnectionAsync()
.disposer(function (connection) {
return connection.release()
})
}
var query = function (command) {
return using(getConnection(), function (connection) {
return connection.queryAsync(command)
})
}
module.exports = {
query: query
}
在一个单独的文件中,我想调用一个查询,并根据的结果然后调用另一个(第二个使用第一个的结果值):
utils.method1()
.then(function (value) {
utils.method2(value)
})
.catch(function (error) {
console.error('Error while retrieving product id: ' + error)
res.json({ data: error })
})
我怎样才能宣传"我的方法? 更重要的是:这是分离mySQL查询的正确方法吗?你能建议一些最佳实践吗?
为了完整性,我的方法1执行查询:
module.exports = {
method1: function () {
// ...sql
db.query(mysql.format(sql, params))
.then(function (results) {
return results[0].id // clearly this is not a promise
})
.catch(function (error) {
console.error('Error while retrieving...: ' + error)
res.status(500).send('Internal server error')
})
}
}
答案 0 :(得分:1)
你实际上非常接近宣传:)
当然,results[0].id
不是承诺,但它是最终价值。
您应该做的是返回查询的承诺链:
return db.query(mysql.format(sql, params))
.then(function (results) {
return results[0].id // clearly this is not a promise
})
.catch(function (error) {
console.error('Error while retrieving...: ' + error)
res.status(500).send('Internal server error')
})
这样做,您将返回一个承诺,该承诺将使用链的最后一个值解析,或者失败。您可以按照您的要求使用它:
method1.then(function(value){
// Here, value is results[0].id
})
.catch(function(err){
// Manage a failed query
});
有一篇很棒的文章,您可能想要了解Promise的工作原理:https://blog.domenic.me/youre-missing-the-point-of-promises/