web-dev-qa-db-ja.com

DynamoDBに存在しない(null)属性をクエリするにはどうすればよいですか

email属性が設定されていないすべてのアイテムを見つけるためにDynamoDBテーブルをクエリしようとしています。 EmailPasswordIndexというグローバルセカンダリインデックスが、emailフィールドを含むテーブルに存在します。

var params = {
    "TableName": "Accounts",
    "IndexName": "EmailPasswordIndex",
    "KeyConditionExpression": "email = NULL",
};

dynamodb.query(params, function(err, data) {
    if (err)
        console.log(JSON.stringify(err, null, 2));
    else
        console.log(JSON.stringify(data, null, 2));
});

結果:

{
  "message": "Invalid KeyConditionExpression: Attribute name is a reserved keyword; reserved keyword: NULL",
  "code": "ValidationException",
  "time": "2015-12-18T05:33:00.356Z",
  "statusCode": 400,
  "retryable": false
}

テーブル定義:

var params = {
    "TableName": "Accounts",
    "KeySchema": [
        { "AttributeName": "id", KeyType: "HASH" }, // Randomly generated UUID
    ],
    "AttributeDefinitions": [
        { "AttributeName": "id", AttributeType: "S" },
        { "AttributeName": "email", AttributeType: "S" }, // User e-mail.
        { "AttributeName": "password", AttributeType: "S" }, // Hashed password.
    ],
    "GlobalSecondaryIndexes": [
        {
            "IndexName": "EmailPasswordIndex",
            "ProvisionedThroughput": {
                "ReadCapacityUnits": 1,
                "WriteCapacityUnits": 1
            },
            "KeySchema": [
                { "AttributeName": "email", KeyType: "HASH" },
                { "AttributeName": "password", KeyType: "RANGE" },
            ],
            "Projection": { "ProjectionType": "ALL" }
        },
    ],
    ProvisionedThroughput: {       
        ReadCapacityUnits: 1, 
        WriteCapacityUnits: 1
    }
};

dynamodb.createTable(params, function(err, data) {
    if (err)
        console.log(JSON.stringify(err, null, 2));
    else
        console.log(JSON.stringify(data, null, 2));
});
21
Jordan Mack

DynamoDBのグローバルセカンダリインデックスでは、インデックスをスパースにすることができます。つまり、アイテムのハッシュまたは範囲キーが定義されていないGSIがある場合、そのアイテムは単にGSIに含まれません。これは、特定のフィールドを含むレコードを直接識別することができるため、多くのユースケースで役立ちます。ただし、フィールドの不足を探している場合、このアプローチは機能しません。

設定されていないフィールドを持つすべてのアイテムを取得するには、フィルターを使用したスキャンに頼ることがあります。この操作は非常に高価ですが、次のような単純なコードになります。

var params = {
    TableName: "Accounts",
    FilterExpression: "attribute_not_exists(email)"
};

dynamodb.scan(params, {
    if (err)
        console.log(JSON.stringify(err, null, 2));
    else
        console.log(JSON.stringify(data, null, 2));
});
36
JaredHatfield

@jaredHatfieldは、フィールドが存在しない場合は正しいですが、フィールドがnullの場合は機能しません。 NULLはキーワードであり、直接使用することはできません。ただし、ExpressionAttributeValuesで使用できます。

const params = {
    TableName: "Accounts",
    FilterExpression: "attribute_not_exists(email) or email = :null",
    ExpressionAttributeValues: {
        ':null': null
    }
}

dynamodb.scan(params, (err, data) => {
    if (err)
        console.log(JSON.stringify(err, null, 2));
    else
        console.log(JSON.stringify(data, null, 2));
})
13
Mardok