我正在使用 HTTP 数据源 从内部服务检索数据。该服务返回 JSON 数据。
我无法插入返回的 JSON 数据并在其中查找数据。
例如:
模块A
data "http" "json_data" {
url = "http://myservice/jsondata"
# Optional request headers
request_headers {
"Accept" = "application/json"
}
}
output "json_data_key" {
value = "${lookup(data.http.json_data.body, "mykey")}"
}
主.tf
provider "aws" {
region = "${var.region}"
version = "~> 0.1"
}
module "moduleA" {
source = "../../../terraform-modules/moduleA"
}
resource "aws_instance" "example" {
ami = "ami-2757f631"
instance_type = "${module.moduleA.json_data_key}"
}
查找功能将无法提取 JSON 数据中的密钥。
有什么方法可以将 JSON 数据解码为 terraform 地图吗?
variable "json" {
default = "{\"foo\": \"bar\"}"
}
data "external" "json" {
program = ["echo", "${var.json}"]
}
output "map" {
value = "${data.external.json.result}"
}
从 Terraform 0.12 版本开始,您可以使用
jsondecode
函数将 json 解码为 Terraform 地图。更多详细信息请参阅:https://www.terraform.io/docs/configuration/functions/jsondecode.html
上面页面的示例:
> jsondecode("{\"hello\": \"world\"}")
{
"hello" = "world"
}
> jsondecode("true")
true
与地图转换没有直接关系,但如果您在 AWS SecretsManager 中有一个多值密钥 (= JSON) 并且您想在另一个服务中使用它的单独值,那么这里有一个额外的示例
jsondecode
,就像我一直在努力解决的那样这个。
找回秘密:
data "aws_secretsmanager_secret" "oauth_client" {
name = "oauth-client"
}
data "aws_secretsmanager_secret_version" "oauth_client" {
secret_id = data.aws_secretsmanager_secret.oauth_client.id
}
以 Lambda 中使用为例:
resource "aws_lambda_function" "lambda" {
[...]
environment {
variables = {
OAUTH_CLIENT_ID = jsondecode(data.aws_secretsmanager_secret_version.oauth_client.secret_string)["client_id"]
OAUTH_CLIENT_SECRET = jsondecode(data.aws_secretsmanager_secret_version.oauth_client.secret_string)["client_secret"]
}
}
}
这样做的方法似乎是使用外部数据,因为它从 json 响应返回一个 map。