我一直在尝试通过Amazon API网关在Go中运行我的第一个lambda函数。
我在go中设置了以下包。目标是发送JSON请求并记录并返回该请求的正文:
package main
import (
"net/http"
"log"
"github.com/aws/aws-lambda-go/lambda"
"github.com/aws/aws-lambda-go/events"
)
func Handler(request events.APIGatewayProxyRequest) (events.APIGatewayProxyResponse, error) {
//These log statements return empty regardless of JSON input.
log.Print(request.body)
return events.APIGatewayProxyResponse{
StatusCode: http.StatusOK,
Body: request.Body
}, nil
}
func main() {
lambda.Start(Handler)
}
我可以构建并压缩此内容并将其上传到AWS lambda管理器。 AWS lambda管理器包含一个使用测试事件的选项,我可以使用JSON字符串配置
{
"testint": 1,
"teststring": "test"
}
但是,如果我运行此测试,我会得到以下结果:
{
"statusCode": 200,
"headers": null,
"body": ""
}
我希望正文实际上包含我传递给函数的json,但显然出现了问题。
答案 0 :(得分:2)
我做了一些小改动,然后就可以了
首先,log.Print(request.body)
不适合我编译,但是使用request.Body
很好
第二,您用于请求的类型是
// APIGatewayProxyRequest contains data coming from the API Gateway proxy
type APIGatewayProxyRequest struct {
Resource string `json:"resource"` // The resource path defined in API Gateway
Path string `json:"path"` // The url path for the caller
HTTPMethod string `json:"httpMethod"`
Headers map[string]string `json:"headers"`
QueryStringParameters map[string]string `json:"queryStringParameters"`
PathParameters map[string]string `json:"pathParameters"`
StageVariables map[string]string `json:"stageVariables"`
RequestContext APIGatewayProxyRequestContext `json:"requestContext"`
Body string `json:"body"`
IsBase64Encoded bool `json:"isBase64Encoded,omitempty"`
}
,在此“正文”中是一个字段“ body”,它是一个字符串。因此,将您的测试数据更改为
{
"body": "HELLO"
}
将提供一些通过的数据
最后,在所有示例中,Handler的参数似乎都包含一个上下文对象,因此我添加了
func Handler(ctx context.Context, request events.APIGatewayProxyRequest)
这是您的程序的完整版本,“为我工作”
package main
import (
"context"
"github.com/aws/aws-lambda-go/events"
"github.com/aws/aws-lambda-go/lambda"
"log"
"net/http"
)
func Handler(ctx context.Context, request events.APIGatewayProxyRequest) (events.APIGatewayProxyResponse, error) {
//These log statements return empty regardless of JSON input.
log.Print(request.Body)
return events.APIGatewayProxyResponse{
StatusCode: http.StatusOK,
Body: request.Body}, nil
}
func main() {
lambda.Start(Handler)
}