2

我想在 AWS putItem函数上使用 Bluebird 的 promisify函数。从文档中注意到它返回一个 AWS.Request 对象。我对那个对象不感兴趣,理想情况下我会调用 db.putItem({...}); 并得到一个承诺。这可能吗?当我尝试它时,promisify'd 函数仍然返回一个 AWS.Request 对象,我认为这是合理的,在这种情况下这不是我想要的。

目前我只是创建一个 Promise 对象并将成功和错误数据手动映射到解决/拒绝承诺函数,但感觉就像我在编写不必要的样板代码,因为除了返回值之外,putItem 函数 (和可能的其他功能)似乎非常适合promisify。

根据要求,以下是代码的相关部分:

//datastore.js

var AWS = require('aws-sdk');

var sharedDB;

if (!sharedDB) {
    AWS.config.update({accessKeyId: 'akid', secretAccessKey: 'secret', region: "us-west-2"});
    sharedDB = new AWS.DynamoDB();
    sharedDB.setEndpoint("http://localhost:8000");
    Promise.promisify(sharedDB.putItem); 
}

module.exports.sharedDB = sharedDB;

//user.js

var db = require('../datastore/dynamoDBConnection').sharedDB;
var Promise = require("bluebird");


function User() {
var user = this;
...

user.save = function () {
        var params = {
            Item: {
                username: {S: 'test'},
                passwordHash: {S: 'test'}
            },
            TableName: 'users',
            Expected: {
                username: {Exists: false}
            }
        };
        return db.putItem(params); //this is where I would like have a Promise returned.  Instead I get an AWS.Request object.
}
...
}
4

1 回答 1

4

更新

你使用 Promisify 错误,它返回了 promisified 函数。

var putItemAsync = Promise.promisify(sharedDB.putItem); 

并使用putItemAsync. 此外,您应该只调用一次promisify并缓存它。


PutItem 接受回调,但它通过流解析,因此承诺它比平常更棘手。

return new Promise(function(resolve,reject){
    dynamoDB.putItem(
    {"TableName":"Table1",
        "Item":{
            "Color":{"S":"white"},
            "Name":{"S":"fancy vase"},
            "Weight":{"N":"2"}
        }
    }, function(result) {
        var wholeResult = [];
        result.on('data', function(chunk){
            wholeResult.push(chunk);
        });
        result.on('end', function(){ resolve(Buffer.concat(wholeResult))});
        result.on('error', function(e){ reject(new Error(e)); });
    });
});
于 2014-05-17T15:29:04.890 回答