Variables和Outputs

Local value

Local value类似于编程中语言中声明的var a = 200,将值赋给某个变量,然后在接下来的所有代码中使用这个变量

Local value的声明语法如下:


locals {
  # Assign the value of 'dev' to environment
  instance_name = "dev-instance"

  # Obtain the instance ID of the 'app_server' EC2 instance
  instance_id   = aws_instance.app_server.id
}

在使用Local变量时,调用 local.<variable_name>。例如使用上面声明的instance_name变量:

resource "aws_instance" "this_server" {
  # ...

  tags = {
    # Using local variable
    Name = local.instance_name,
    "Environment" = "dev"
  }
}

Input Variables

Input variables类似于编程语言中的函数变量,在运行函数时传入一个变量

例如:

variable "app_name" {
  type        = string
  description = "Name  of the application"
  default     = ""
}

使用input variables,语法是 var.<variable_name>

resource "aws_instance" "app_server" {
  # ...

  tags = {
    # Using input variable
    Name = var.app_name,
    "Environment" = "prod"
  }
}

可以通过命令行传入参数值:

terraform apply -var="app_name=wordpress-app"

Output

output用于在执行terraform apply时输出一些属性,例如创建一台EC2,创建完成后输出它的公网IP:

resource "aws_instance" "firstdemo" {
  ami = "ami-0b898040803850657"
  instance_type = "t2.micro"
}

output "hello" {
  value = aws_instance.firstdemo.public_ip
   description = "EC2 instance's public ip"
}

img