我正在尝试使用JS查询DynamoDB并解析返回的数据。我必须承认我是JavaScript的新手,但是我有一些奇怪的行为。
在以下函数中,我传递了一个日期数组,并从表中检索对象
var queryDynamo = function(dateArray){
console.log(dateArray)
for (var i = 0; i < dateArray.length; i++) {
var params = {
TableName : "myTable",
KeyConditionExpression: "#day = :st ",
ExpressionAttributeNames:{
"#day": "day"
},
ExpressionAttributeValues: {
':st': dateArray[i]
}
};
var resp = docClient.query(params, function(err, data) {
if (err) {
console.log("ERR:"+JSON.stringify(err, undefined, 2))
} else {
data.Items.forEach(function(element) {
console.log(element)
});
}
});
}
console.log(resp.response)
return;
}
->以下是输出
constructor {request: constructor, data: null, error: null, retryCount: 0, redirectCount: 0, …}
data:
Count: 4
Items: (4) [{…}, {…}, {…}, {…}]
ScannedCount: 4
__proto__: Object
error: null
httpResponse: constructor {statusCode: 200, headers: {…}, body: Uint8Array(1134), streaming: false, stream: i, …}
maxRedirects: 10
maxRetries: 10
nextPage: ƒ (e)
redirectCount: 0
request: constructor {domain: undefined, service: t.c…r.t.constructor, operation: "query", params: {…}, httpRequest: constructor, …}
retryCount: 0
__proto__: Object
查询成功,但结果有点奇怪。
resp.response正确包含data
对象,但是我无法访问它。它说是null
,但显然不是,因为它有4个项目。
有什么想法吗?
答案 0 :(得分:0)
您正在尝试在响应数据存在之前进行打印。您的console.log(resp.response)
行在DynamoDB查询完成且其结果尚未编组之前正在执行。这是异步JavaScript中的common gotcha。
在AWS.Request对象中查看响应数据的一种方法是等待它,就像这样(尽管您通常不会在JavaScript中这样做):
var req = docClient.query(params, function(err, data) {
// as before: handle err, data
)};
setTimeout(function () {
console.log('Response data:', JSON.stringify(req.response.data));
}, 2000);
更常见的模式是使用SDK方法的promise变体,如下所示:
docClient.query(params).promise()
.then(data => doSomething(data))
.catch(err => logError(err));