10

我正在使用 gem aws-sdk-ruby来查询一个看起来像这样的表:

hk (Hashkey)  |  guid(Rangekey)  |  Timestamp (Secondary Range index)  |  other attributes
aaaa          |  50              |  2013-02-04T12:33:00Z               |
aaaa          |  244             |  2013-04-22T04:54:00Z               |
aaaa          |  342             |  2013-05-18T06:52:00Z               |
bbbb          |  243             |  2013-06-21T13:17:00Z               |

我要做的是获取在某个日期之后创建的所有“aaaa”行。前任:

AWS.config(access_key_id: 'xxx', secret_access_key: 'xxx', :dynamo_db => { :api_version => '2012-08-10' })
client = AWS::DynamoDB::Client.new
client.query(
{
  table_name: 'table',
  select: 'ALL_ATTRIBUTES',
  key_conditions: {
    'hk' => {
      comparison_operator: 'EQ',
      attribute_value_list: [
        {'s' => 'aaaa'}
      ]
    },
    'timestamp' => {
      comparison_operator: 'GE',
      attribute_value_list: [
        {'s' => Time.now.utc.iso8601}
      ]
    }
  }
})

当我运行上面的代码时,我得到了这个:

Query condition missed key schema element guid (AWS::DynamoDB::Errors::ValidationException)

使用 hashKey 和 RangeKey 运行查询是可行的,但是当我用二级范围索引替换 rangeKey 时,它无法告诉我 rangeKey 是必需的。

如果我然后添加范围键(这没有意义),我会收到以下错误:

Conditions can be of length 1 or 2 only (AWS::DynamoDB::Errors::ValidationException)

有谁知道可能会发生什么?

4

2 回答 2

13

您不是在查询二级索引,而是在查询主索引(哈希和范围键)。要在 DynamoDB 中使用二级索引,您必须使用 API 的 V2 并在查询操作中指定索引

client = AWS::DynamoDB::Client.new(api_version: '2012-08-10') 

client.query( {   :table_name: 'table',   :index_name: "timestamp-index", :select: 'ALL_PROJECTED_ATTRIBUTES',   :key_conditions: {
    'hk' => {
      :comparison_operator: 'EQ',
     :attribute_value_list: [
        {'s' => 'aaaa'}
      ]
    },
    'timestamp' => {
     :comparison_operator: 'GE',
      :attribute_value_list: [
        {'s' => Time.now.utc.iso8601}
      ]
    }   } })
于 2013-08-03T09:35:29.483 回答
0

您可以使用“扫描”而不是“查询” http://docs.aws.amazon.com/AWSJavaScriptSDK/latest/AWS/DynamoDB/DocumentClient.html#scan-property

我可以强调扫描比查询慢,不推荐扫描用于大量数据检索。

我用下一个模式做到了这一点

DB Schema Where Primary partition key id (String)

  //JavaScript EXAMPLE-1  
var params = {
        TableName : 'users',
        FilterExpression : 'isActive = :isActive',
        ExpressionAttributeValues : {':isActive' : true}
    };


        dynamoDBClient.scan(params, function(err, data){
            if(err){
                return console.error(err);
            }
            console.log(data.Items);

        });

我希望能帮助你。

问候。

于 2017-03-30T10:24:32.603 回答