在尝试对DynamoDB表执行batch_write_item时,Python Boto3出现了一个奇怪的问题。我正在关注documentation并尝试写一个单项。表格设置正确,我可以通过AWS cli运行批量写入项目。
假设客户端和DynamoDB设置正确,我运行:
client.batch_write_item(RequestItems={
"myTable": [
{
"PutRequest": {
"Item": {
"name": {
"S": "hello"
},
"value": {
"S": "world"
}
}
}
}
]
})
我收到以下错误:
botocore.exceptions.ClientError:调用BatchWriteItem操作时发生错误(ValidationException):属性值类型无效
如果我更改它,删除类型并运行:
client.batch_write_item(RequestItems={
"myTable": [
{
"PutRequest": {
"Item": {
"name": "hello",
"value": "world"
}
}
}
]
})
它按预期工作。
我需要使用文档后面的格式,并与AWS cli兼容。
文档是否有误,或者我错过了配置设置,版本问题或其他内容?
答案 0 :(得分:6)
这也让我感到高兴,看起来您正在使用DynamoDB 资源,而不是客户端。它们都提供相同的功能,但它的行为略有不同。以下是您正在寻找的内容:
除此之外,文档还不太清楚。这是我发现的:
使用DynamoDB资源:
resource = boto3.resource('dynamodb', endpoint_url='http://localhost:8000')
mytable = resource.create_table(
TableName='mytable',
KeySchema=[{ 'AttributeName': 'name', 'KeyType': 'HASH' }],
AttributeDefinitions=[{ 'AttributeName': 'name', 'AttributeType': 'S' }],
ProvisionedThroughput={ 'ReadCapacityUnits': 5, 'WriteCapacityUnits': 5 }
)
try:
resource.batch_write_item(RequestItems={
'mytable': [{ 'PutRequest': { 'Item': {
'name': { 'S': 'myname' },
'value': { 'S': 'myvalue' }
}}}]
})
print(f'resource, specify all types : write succeeded.')
except Exception as e:
print(f'resource, specify all types : write failed: {e}')
try:
resource.batch_write_item(RequestItems={
'mytable': [{ 'PutRequest': { 'Item': {
'name': 'myname',
'value': { 'S': 'myvalue' }
}}}]
})
print(f'resource, specify value only: write succeeded.')
except Exception as e:
print(f'resource, specify value only: write failed: {e}')
try:
resource.batch_write_item(RequestItems={
'mytable': [{ 'PutRequest': { 'Item': {
'name': 'myname',
'value': 'myvalue'
}}}]
})
print(f'resource, specify none : write succeeded.')
except Exception as e:
print(f'resource, specify none : write failed: {e}')
输出
resource, specify all types : write failed:
An error occurred (ValidationException) when calling the BatchWriteItem operation: Invalid attribute value type
resource, specify value only: write succeeded.
resource, specify none : write succeeded.
然后使用DynamoDB客户端(将所有"资源" s替换为客户端)
client = boto3.client('dynamodb', endpoint_url='http://localhost:8000')
try:
client.batch_write_item(RequestItems={
....
输出
client, specify all types : write succeeded.
client, specify value only: write failed: Parameter validation failed:
Invalid type for parameter RequestItems.mytable[0].PutRequest.Item.name, value: myname, type: <class 'str'>, valid types: <class 'dict'>
client, specify none : write failed: Parameter validation failed:
Invalid type for parameter RequestItems.mytable[0].PutRequest.Item.name, value: myname, type: <class 'str'>, valid types: <class 'dict'>
Invalid type for parameter RequestItems.mytable[0].PutRequest.Item.value, value: myvalue, type: <class 'str'>, valid types: <class 'dict'>