如何在DynamoDB中立即获得表的行数



我使用boto.dynamodb2,似乎我可以使用Table.query_count()。但是,当没有应用查询筛选器时,它引发了异常。

我能做些什么来解决这个问题?

BTW, boto.dynamodb2.table.Table.Query可以使用的过滤器的文件在哪里?

有两种方法可以在DynamoDB中获得行计数。

第一个是执行全表扫描,并在扫描过程中计算行数。对于任何合理大小的表,这通常都是一个可怕的想法,因为它将消耗所有已配置的读吞吐量。

另一种方法是使用description Table请求来估计表中的行数。这将立即返回,但只会根据AWS文档定期更新。

指定索引中的项数。DynamoDB对此进行更新大约每六小时一次。最近的变化可能不是这样

根据文档boto3

"指定表中的项数。DynamoDB大约每六个小时更新一次这个值。最近的更改可能不会反映在此值中。"

import boto3
dynamoDBResource = boto3.resource('dynamodb')
table = dynamoDBResource.Table('tableName')
print(table.item_count)

或者你可以使用DescribeTable:

import boto3
dynamoDBClient = boto3.client('dynamodb')
table = dynamoDBClient.describe_table(
    TableName='tableName'
)
print(table)

如果您想计算项目的数量:

import boto3
client = boto3.client('dynamodb','us-east-1')
response = client.describe_table(TableName='test')
print(response['Table']['ItemCount'])
#ItemCount (integer) --The number of items in the specified table.
# DynamoDB updates this value approximately every six hours.
# Recent changes might not be reflected in this value.

Ref: Boto3 Documentation (under ItemCount in describe_table())

您可以使用它来获取整个表项的计数

from boto.dynamodb2.table import Table
dynamodb_table = Table('Users')
dynamodb_table.count()  # updated roughly 6 hours

参考:http://boto.cloudhackers.com/en/latest/ref/dynamodb2.html#module-boto.dynamodb2.table

query_count方法将根据您提供的索引返回项目计数。

例如,

from boto.dynamodb2.table import Table
dynamodb_table = Table('Users')
print dynamodb_table.query_count(
    index='first_name-last_name-index',  # Get indexes from indexes tab in dynamodb console
    first_name__eq='John',  # add __eq to your index name for specific search
    last_name__eq='Smith'  # This is your range key
)

您可以添加主索引或全局辅助索引以及范围键。可能的比较运算符

__eq for equal

__gte for大于等于

__lte for小于或等于

__between for between

__beginwith for以

开头

between

示例
print dynamodb_table.query_count(
    index='first_name-last_name-index',  # Get indexes from indexes tab in dynamodb console
    first_name__eq='John',  # add __eq to your index name for specific search
    age__between=[30, 50]  # This is your range key
)

相关内容

  • 没有找到相关文章

最新更新