如何从AWS API将变量传递给Python Lambda

问题描述 投票:1回答:1

我试过搜索,但我的googlefu失败了。

我有一个基本的python lambda函数:

def lambda_handler(event, context):
    foo = event['bar']
    print(foo)

然后我尝试做一个POST,像curl这样:

curl -X POST https://correctaddress.amazonaws.com/production/test \
-H 'x-api-key: CORRECTKEY' \
-H 'content-type: application/json' \
-H 'bar: Hello World' \

这可能会失败KeyError: 'bar'可能是因为我认为我传递的事件['bar']没有被传递。

我试过event['body']['bar']也失败了。

如果我做event['querystringparameters']['bar']它会工作,如果我使用GET,如:

curl -X POST https://correctaddress.amazonaws.com/production/test?bar=HelloWorld -H 'x-api-key: CORRECTKEY'

我知道我遗漏了关于事件字典的基本内容,以及它从POST中获取的内容,但我似乎无法找到正确的文档(不确定它是否在API或Lambda的文档中)。

我最终的目标是能够使用像这样的请求在python中编写一些东西:

import requests, json

url = "https://correctaddress.amazonaws.com/production/test"
headers = {'Content-Type': "application/json", 'x-api-key': "CORRECTKEY"}
data = {}
data['bar'] = "Hello World"
res = requests.put(url, json=data, headers=headers)
python aws-lambda aws-api-gateway
1个回答
4
投票

问题在于执行curl命令的方式。

您正在使用-H(--header)参数来添加参数。但是你期待一个JSON帖子请求。

为此,请将curl语句更改为以下内容:

curl -X POST https://correctaddress.amazonaws.com/production/test \
-H 'x-api-key: CORRECTKEY' \
-H 'content-type: application/json' \
--data '{"bar":"Hello World"}' \

这将使curl使用适当的正文发布请求。

在Python中,您可以使用类似于此的一些代码将postdata作为字典获取:

postdata = json.loads(event['body'])

您应该为无效的JSON,其他请求类型(例如GET)等添加一些错误检查。

© www.soinside.com 2019 - 2024. All rights reserved.