4

我在本地使用 DynamoDB,可以创建和删除表。我创建了一个只有一个键的表,如下所示

const tablePromise = dynamodb.listTables({})
    .promise()
    .then((data) => {
        const exists = data.TableNames
            .filter(name => {
                return name === tableNameLogin;
            })
            .length > 0;
        if (exists) {
            return Promise.resolve();
        }
        else {
            const params = {
                TableName: tableNameLogin,
                KeySchema: [
                    { AttributeName: "email", KeyType: "HASH"},  //Partition key

                ],
                AttributeDefinitions: [
                    { AttributeName: "email", AttributeType: "S" },
                ],
                ProvisionedThroughput: {
                    ReadCapacityUnits: 10,
                    WriteCapacityUnits: 10
                }
            };
            dynamodb.createTable(params, function(err, data){
              if (err) {
                console.error("Unable to create table. Error JSON:", JSON.stringify(err, null, 2));
              } else {
                console.log("Created table. Table description JSON:", JSON.stringify(data, null, 2));
              }
            });
        }
    });

现在我想在 AWS的示例文档后面的表格中插入一个项目。

var docClient = new AWS.DynamoDB.DocumentClient();
var tableNameLogin = "Login"
var emailLogin = "abc@gmail.com";

var params = {
    TableName:tableNameLogin,
    Item:{
        "email": emailLogin,
        "info":{
            "password": "08083928"
        }
    }
};

docClient.put(params, function(err, data) {
    if (err) {
        console.error("Unable to add item. Error JSON:", JSON.stringify(err, null, 2));

    } else {
        console.log("Added item:", JSON.stringify(data, null, 2));
    }
});

当我运行插入项代码时,我得到Added item: {}为什么它输出一个空对象?它实际上是在插入什么吗?我查看了这个回调示例,但这次它没有输出任何内容。

4

1 回答 1

3

您需要将 ReturnValues: 'ALL_OLD' 添加到您的 put 参数中。它看起来如下所述。

var params = {
    TableName:tableNameLogin,
    Item:{
        "email": emailLogin,
        "info":{
            "password": "08083928"
        }
    },
    ReturnValues: 'ALL_OLD'
};

有关更多详细信息,您可以关注此https://github.com/aws/aws-sdk-js/issues/803

于 2017-08-11T08:43:47.200 回答