Terraform 是什么

Terraform(https://www.terraform.io/)是 HashiCorp 旗下的一款开源(Go 语言开发)的 DevOps 基础架构资源管理运维工具,可以看下对应的 DevOps 工具链:

Terraform 可以安全高效的构建、更改和合并多个云厂商的各种服务资源,当前支持有阿里云、AWS、微软 Azure、Vmware、Google Cloud Platform 等多个云厂商云产品的资源创建。

Write, Plan, and Create Infrastructure as Code

Terraform 通过模板配置文件定义所有资源类型(有如主机,OS,存储类型,中间件,网络 VPC,SLB,DB,Cache 等)和资源的数量、规格类型、资源创建依赖关系,基于资源厂商的 OpenAPI 快速创建一键创建定义的资源列表,同时也支持资源的一键销毁。

顺便介绍一下 HashiCorp 这家公司的其他产品:

  1. Vagrant Vagrant by HashiCorp

  2. Consul HashiCorp Consul - Connect and Secure Any Service

  3. Vault HashiCorp Vault - Manage Secrets & Protect Sensitive Data

  4. Nomad HashiCorp Nomad Enterprise

  5. Packer Packer by HashiCorp

Terraform 初体验

安装

在 CentOS 7 上面进行安装,如下:

sudo yum install -y yum-utils
sudo yum-config-manager --add-repo https://rpm.releases.hashicorp.com/RHEL/hashicorp.repo
sudo yum -y install terraform

验证版本信息:

[root@zhy ~]# terraform version
Terraform v1.0.2
on linux_amd64

获取命令行帮助

# 获取帮助信息,查看 Terraform 支持哪些子命令及参数
terraform -help# 查看具体某个子命令的帮助信息
terraform -help plan# 开启命令行补全
terraform -install-autocomplete

创建一台阿里云 ECS 实例

准备子账号,创建 RAM 子账户,子账户只能通过 OpenAPI 的形式访问云上的资源,而且不能赋予所有的权限,只赋予指定的权限,如 ECS、RDS、SLB 等具体的权限。推荐使用环境变量的方式存放身份认证信息:

export ALICLOUD_ACCESS_KEY="********"
export ALICLOUD_SECRET_KEY="*************"
export ALICLOUD_REGION="cn-shanghai"

下面是一段测试的代码 main.tf,其主要功能是在阿里云上创建 VPC、vSwitch、安全组、ECS 实例,最后输出 ECS 的外网 IP。代码如下:

resource "alicloud_vpc" "vpc" {name       = "tf_test_foo"cidr_block = "172.16.0.0/12"
}resource "alicloud_vswitch" "vsw" {vpc_id            = alicloud_vpc.vpc.idcidr_block        = "172.16.0.0/21"availability_zone = "cn-shanghai-b"
}resource "alicloud_security_group" "default" {name = "default"vpc_id = alicloud_vpc.vpc.id
}resource "alicloud_security_group_rule" "allow_all_tcp" {type              = "ingress"ip_protocol       = "tcp"nic_type          = "intranet"policy            = "accept"port_range        = "1/65535"priority          = 1security_group_id = alicloud_security_group.default.idcidr_ip           = "0.0.0.0/0"
}resource "alicloud_instance" "instance" {availability_zone = "cn-shanghai-b"security_groups = alicloud_security_group.default.*.idinstance_type        = "ecs.n2.small"system_disk_category = "cloud_efficiency"image_id             = "ubuntu_18_04_64_20G_alibase_20190624.vhd"instance_name        = "test_foo"vswitch_id = alicloud_vswitch.vsw.idinternet_max_bandwidth_out = 1password = "yourPassword"
}output "public_ip" {value = alicloud_instance.instance.public_ip
}

我们通过一个 main.tf 文件(只需要是 .tf 文件)定义了 ECS(镜像、实例类型)、VPC(CIDR、VPC Name)、安全组等,通过 Terraform 对资源配置参数做解析,调用阿里云 OpenAPI 进行资源校验于创建,同时把整个资源创建状态化到一个 .tf.state 文件中,基于该文件则可以得知资源创建的所有信息,包括资源数量调整,规格调整,实例变更都依赖这种非常重要的文件。查看结果:

$ terraform show

基础设施代码原则

我们通过代码完成了基础设施的创建,而且创建出来的资源就是按照我们声明文件中那样描述的那样。这其实就是基础设施即代码的一种技术实现。基础设施即代码是一种使用新的技术来构建和管理动态基础设施的方式。它把基础设施、工具和服务以及对基础设施的管理本身作为一个软件系统,采纳软件工程实践以结构化的安全的方式来管理对系统的变更。基础设施即代码有四项关键原则:

  • 再生性:环境中的任何元素可以轻松复制。

  • 一致性:无论何时,创建的环境各个元素的配置是完全相同的。

  • 快速反馈:能够频繁、容易地进行变更,并快速知道变更是否正确。

  • 可见性:所有对环境的变更应该容易理解、可审计、受版本控制。

Terraform 编程

如果在编写代码时,遇到什么问题,可以在官方网站寻找答案。官方网站是最好的学习资源,没有之一。文档链接为:https://www.terraform.io/language。接下来就看一个示例。变量定义:

# 列表的例子
variable "list_example" {description = "An example of a list in Terraform"type = "list"default = [1, 2, 3]
}# 字典的例子
variable "map_example" {description = "An example of a map in Terraform"type = "map"default = {key1 = "value1"key2 = "value2"key3 = "value3"}
}# 如果不指定类型,默认是字符串
variable "server_port" {description = "The port the server will use for HTTP requests"
}
$ tree -L 1 .
.
├── madlibs
├── madlibs.tf
├── madlibs.zip
├── templates
├── terraform.tfstate
├── terraform.tfstate.backup
└── terraform.tfvars2 directories, 5 files

看下 terraform.tfvars 文件的内容:

[root@blog ch03]# cat terraform.tfvarswords = {
nouns      = ["army", "panther", "walnuts", "sandwich", "Zeus", "banana", "cat", "jellyfish", "jigsaw", "violin", "milk", "sun"]
adjectives = ["bitter", "sticky", "thundering", "abundant", "chubby", "grumpy"]
verbs      = ["run", "dance", "love", "respect", "kicked", "baked"]
adverbs    = ["delicately", "beautifully", "quickly", "truthfully", "wearily"]
numbers    = [42, 27, 101, 73, -5, 0]
}

madlibs.tf 文件的内容

[root@blog ch03]# cat madlibs.tfterraform {required_version = ">= 0.15"required_providers {random = {source  = "hashicorp/random"version = "~> 3.0"}local = {source  = "hashicorp/local"version = "~> 2.0"}archive = {source  = "hashicorp/archive"version = "~> 2.0"}}
}variable "words" {description = "A word pool to use for Mad Libs"type = object({nouns      = list(string),adjectives = list(string),verbs      = list(string),adverbs    = list(string),numbers    = list(number),})validation {condition     = length(var.words["nouns"]) >= 10error_message = "At least 10 nouns must be supplied."}
}variable "num_files" {type        = numberdescription = "(optional) describe your variable"default     = 100
}locals {uppercase_words = { for k, v in var.words : k => [for s in v : upper(s)] }
}resource "random_shuffle" "random_nouns" {count = var.num_filesinput = local.uppercase_words["nouns"]
}resource "random_shuffle" "random_adjectives" {count = var.num_filesinput = local.uppercase_words["adjectives"]
}resource "random_shuffle" "random_verbs" {count = var.num_filesinput = local.uppercase_words["verbs"]
}resource "random_shuffle" "random_adverbs" {count = var.num_filesinput = local.uppercase_words["adverbs"]
}resource "random_shuffle" "random_numbers" {count = var.num_filesinput = local.uppercase_words["numbers"]
}locals {templates = tolist(fileset(path.module, "templates/*.txt"))
}resource "local_file" "mad_libs" {count    = var.num_filesfilename = "madlibs/madlibs-${count.index}.txt"content = templatefile(element(local.templates, count.index),{nouns      = random_shuffle.random_nouns[count.index].resultadjectives = random_shuffle.random_adjectives[count.index].resultverbs      = random_shuffle.random_verbs[count.index].resultadverbs    = random_shuffle.random_adverbs[count.index].resultnumbers    = random_shuffle.random_numbers[count.index].result})
}data "archive_file" "mad_libs" {depends_on = [local_file.mad_libs]type        = "zip"source_dir  = "${path.module}/madlibs"output_path = "${path.cwd}/madlibs.zip"}

如何引用变量的值?var.<VARIABLE_NAME>。注意:Terraform 不支持自定义函数。我们只能使用 Terraform 内置的大约 100 个函数进行编程。

Repeat Yourself vs. Don't Repeat Yourself (DRY)

在软件工程中,是不提倡 DRY 的。可是现实中,我们到处可以看到 Ctrl-CCtrl-V 的这样的编程范式(:P)。下面两个代码示例,哪个更好一点?

从上图来看,左边的代码结构是最优的,其符合 DRY 原则;而右边的代码结构则是符合 Ctrl-CCtrl-V 这种模式。针对上述两种场景,我们给出以下建议

  • 当我们的环境没有差异或差异比较小,建议使用左边的代码结构;

  • 当我们的环境差异比较大的时候,就只能选择右边的代码结构了;

使用 workspace 以复用代码

对于同样的配置文件,workspace 功能允许我们可以有多个状态文件。这就意味着,我们不需要通过复制、粘贴代码,就可以实现多环节部署。每个 workspace 拥有自己的变量及环境信息。如下图所示:

我们之前就已经在使用 workspace 了,尽管我们并没有意识到这一点。当执行 terraform init 的时候,Terraform 就已经创建了一个默认的 workspace 并切换到该 workspace 下了。可以验证一下:

[root@blog ch03]# terraform workspace list
* default

多环境部署,接下来我们使用 Terraform 的 workspace 特性进行一个多环境的部署。一个例子:

[root@blog ch06]# tree .
.
├── environments
│   ├── dev.tfvars
│   └── prod.tfvars
├── main.tf
└── terraform.tfstate.d├── dev│   ├── terraform.tfstate│   └── terraform.tfstate.backup└── prod└── terraform.tfstate4 directories, 6 files

看下代码(如何在什么都没有的情况下,进行代码的调试及验证):

[root@blog ch06]# cat main.tfvariable "region" {
description = "My Test Region"
type        = string
}output "myworkspace" {
value = {region = var.regionworkspace = terraform.workspace
}
}[root@blog ch06]# cat environments/dev.tfvars
region = "cn-shanghai-dev"[root@blog ch06]# cat environments/prod.tfvars
region = "cn-shanghai-prod"

我们切换到 devworkspace 下面,然后执行代码:

[root@blog ch06]# terraform workspace select dev
Switched to workspace "dev".[root@blog ch06]# terraform apply -var-file=./environments/dev.tfvars -auto-approve
No changes. Your infrastructure matches the configuration.Terraform has compared your real infrastructure against your configuration and found no differences, so no changes are needed.Apply complete! Resources: 0 added, 0 changed, 0 destroyed.Outputs:myworkspace = {"region" = "cn-shanghai-dev""workspace" = "dev"
}

切换到 prodworkspace 下面,然后验证代码:

[root@blog ch06]# terraform workspace select prodSwitched to workspace "prod".[root@blog ch06]# terraform apply -var-file=./environments/prod.tfvars -auto-approveNo changes. Your infrastructure matches the configuration.Terraform has compared your real infrastructure against your configuration and found no differences, so no changes are needed.Apply complete! Resources: 0 added, 0 changed, 0 destroyed.Outputs:myworkspace = {"region" = "cn-shanghai-prod""workspace" = "prod"
}

当执行 destroy 的时候呢?也是同样的情况,需要指定变量文件:

[root@blog ch06]# terraform destroy -var-file=./environments/prod.tfvars -auto-approveChanges to Outputs:- myworkspace = {- region    = "cn-shanghai-prod"- workspace = "prod"} -> nullYou can apply this plan to save these new output values to the Terraform state, without changing any real infrastructure.Destroy complete! Resources: 0 destroyed.

多使用 output 对代码进行调试。Terraform 的 output 很像其他编程语言中的:printfprintecho 等函数,让我们把感兴趣的内容给打印出来,以便及时验证。

# 关于操作 workspace 的命令
## 查看当前有哪些 workspace
[root@blog ch06]# terraform workspace list
default
dev
* prod## 创建一个名为 uat 的 workspace
[root@blog ch06]# terraform workspace new uat
Created and switched to workspace "uat"!## 切换到名为 dev 的 workspace
[root@blog ch06]# terraform workspace select dev
Switched to workspace "dev".## 删除名为 uat 的 workspace
[root@blog ch06]# terraform workspace delete uat
Deleted workspace "uat"!

多云部署

主要实现思路是:

  1. providers.tf 文件中,指定多个云厂商的 Provider;

  2. 以模块的形式操作每个云厂商的云上资源;

接下来直接看代码结构:

[root@blog part1_hybridcloud-lb]# tree .
.
├── bootstrap.sh
├── main.tf
├── outputs.tf
├── providers.tf
└── versions.tf0 directories, 5 files

我们看一下 providers.tf 文件(代码中要指定多个  Provider):

provider "aws" {profile = "<profile>"region  = "us-west-2"
}provider "azurerm" {features {}
}provider "google" {project = "<project_id>"region  = "us-east1"
}provider "docker" {} #A

再看一下 main.tf 文件:

module "aws" {source = "terraform-in-action/vm/cloud/modules/aws" #Aenvironment = {name             = "AWS" #Bbackground_color = "orange" #B
}
}module "azure" {source = "terraform-in-action/vm/cloud/modules/azure" #Aenvironment = {name             = "Azure"background_color = "blue"
}
}module "gcp" {source     = "terraform-in-action/vm/cloud/modules/gcp" #Aenvironment = {name             = "GCP"background_color = "red"
}
}module "loadbalancer" {source = "terraform-in-action/vm/cloud/modules/loadbalancer" #Aaddresses = [module.aws.network_address, #Cmodule.azure.network_address, #Cmodule.gcp.network_address, #C
]
}

零宕机部署(Zero-downtime deployment ZDD)

本节介绍三种方案实现零宕机部署。

  1. Terraform 的 create_before_destroy 元属性

  2. 蓝绿部署

  3. Ansible 联姻

设置生命周期

当没有做任何设置时,下图就是 Terraform 默认的行为。当一些属性(尤其是一些强制更新的属性,诸如:实例类型、镜像 ID、用户数据等)被修改时,再次执行 apply 时,之前已经存在的资源见会被销毁。

resource "aws_instance" "instance" {
ami = var.amiinstance_type = var.instance_typeuser_data = <<-EOF#!/bin/bashmkdir -p /var/www && cd /var/wwwecho "App v${var.version}" >> index.htmlpython3 -m http.server 80EOF
}

从下面的这副图就可以看出,从销毁到新的实例完全可用的这段时间,整体是不能对外使用的。

为了避免上述情况,生命周期元参数允许我们自定义资源生命周期。生命周期嵌套块存在于所有资源上。我们可以设置以下三个标志:

  1. create_before_destroy (bool)——当设置为 true 时,旧的对象在被删除之前新的资源会创建出来。

  2. prevent_destroy (bool)——设置为 true 时,Terraform 将拒绝任何会破坏与资源关联的基础结构对象并出现显式错误的计划。

  3. ignore_changes (list of attribute names)——指定一个资源列表,Terraform 在执行计划时会忽略新的执行计划。

create_before_destroy

下面的代码中,设置了 create_before_destroy = true,

resource "aws_instance" "instance" {ami = var.amiinstance_type = "t3.micro"lifecycle {create_before_destroy = true}user_data = <<-EOF#!/bin/bashmkdir -p /var/www && cd /var/wwwecho "App v${var.version}" >> index.htmlpython3 -m http.server 80EOF
}

当执行上述代码时,流程图如下所示:

create_before_destroy 只对 managed resources 生效,像数据源就不生效。《Terraform Up and Running》的作者对该选项的看法:I do not use create_before_destroy as I have found it to be more trouble than it is worth.

蓝绿部署

在蓝/绿部署期间,我们可以在两个生产环境之间切换:一个称为蓝色环境,另一个称为绿色环境。在任何给定时间,只有一个生产环境处于活动状态。路由器将流量定向到实时环境,可以是负载均衡器,也可以是 DNS 解析器。每当要部署到生产环境时,请先部署到空闲环境。然后,当我们准备就绪时,将路由器从指向实时服务器切换到指向空闲服务器——该服务器已在运行该软件的最新版本。此开关称为切换,可以手动或自动完成。当流量转换完成时,空闲服务器将成为新的实时服务器,以前的活动服务器现在是空闲服务器(如下图所示)。

接下来看一个例子,其流程图如下:

代码如下 green_blue.tf

provider "aws" {region = "us-west-2"
}variable "production" {default = "green" // 部署 Green 环境
}module "base" {source = "terraform-in-action/aws/bluegreen/modules/base"production = var.production
}module "green" {source = "terraform-in-action/aws/bluegreen/modules/autoscaling"app_version = "v1.0"label = "green"base = module.base
}module "blue" {source = "terraform-in-action/aws/bluegreen/modules/autoscaling"app_version = "v2.0"label = "blue"base = module.base
}output "lb_dns_name" {value = module.base.lb_dns_name
}

蓝绿环境割接当 Blue 环境全部启动之后,就可以进行蓝绿切换了。代码如下 green_blue.tf

provider "aws" {region = "us-west-2"
}variable "production" {default = "blue"
}module "base" {source = "terraform-in-action/aws/bluegreen/modules/base"production = var.production
}module "green" {source = "terraform-in-action/aws/bluegreen/modules/autoscaling"app_version = "v1.0"label = "green"base = module.base
}module "blue" {source = "terraform-in-action/aws/bluegreen/modules/autoscaling"app_version = "v2.0"label = "blue"base = module.base
}output "lb_dns_name" {value = module.base.lb_dns_name
}

Terraform 与 Ansible 联姻

我们需要冷静下来思考一个问题:"Terraform 是适合该工作的工具吗?在许多情况下,答案是否定的。对于 VM 上的应用程序部署,配置管理工具将会更适合。接下来,我们让专业的工具做其专业的事情。Terraform 专注于基础设施这一块,用于基础设施的快速交付。而对于上层的应用部署,Terraform 则有点不擅长了。

接下来,以 AWS 为例,Terraform 负责基础设施的创建,Ansible 负责创建其上的应用。流程图如下:

代码如下:

provider "aws" {region  = "us-west-2"
}resource "tls_private_key" "key" {algorithm = "RSA"
}resource "local_file" "private_key" {filename          = "${path.module}/ansible-key.pem"sensitive_content = tls_private_key.key.private_key_pemfile_permission   = "0400"
}resource "aws_key_pair" "key_pair" {key_name   = "ansible-key"public_key = tls_private_key.key.public_key_openssh
}data "aws_vpc" "default" {default = true
}resource "aws_security_group" "allow_ssh" {vpc_id = data.aws_vpc.default.idingress {from_port   = 22to_port     = 22protocol    = "tcp"cidr_blocks = ["0.0.0.0/0"]
}ingress {from_port   = 80to_port     = 80protocol    = "tcp"cidr_blocks = ["0.0.0.0/0"]
}egress {from_port   = 0to_port     = 0protocol    = "-1"cidr_blocks = ["0.0.0.0/0"]
}
}data "aws_ami" "ubuntu" {most_recent = truefilter {name   = "name"values = ["ubuntu/images/hvm-ssd/ubuntu-focal-20.04-amd64-server-*"]
}owners = ["099720109477"]
}resource "aws_instance" "ansible_server" {ami                    = data.aws_ami.ubuntu.idinstance_type          = "t3.micro"vpc_security_group_ids = [aws_security_group.allow_ssh.id]key_name               = aws_key_pair.key_pair.key_nametags = {Name = "Ansible Server"
}provisioner "remote-exec" {inline = ["sudo apt update -y","sudo apt install -y software-properties-common","sudo apt-add-repository --yes --update ppa:ansible/ansible","sudo apt install -y ansible"]connection {type        = "ssh"user        = "ubuntu"host        = self.public_ipprivate_key = tls_private_key.key.private_key_pem}
}provisioner "local-exec" {command = "ansible-playbook -u ubuntu --key-file ansible-key.pem -T 300 -i '${self.public_ip},', app.yml"
}
}output "public_ip" {
value = aws_instance.ansible_server.public_ip
}output "ansible_command" {value = "ansible-playbook -u ubuntu --key-file ansible-key.pem -T 300 -i '${aws_instance.ansible_server.public_ip},', app.yml"
}

app.yml 的内容为:

---
- name: Install Nginx
hosts: all
become: true
tasks:
- name: Install Nginxyum:name: nginxstate: present- name: Add index pagetemplate:src: index.htmldest: /var/www/html/index.html- name: Start Nginxservice:name: nginxstate: started

执行上述代码:

$ terraform init && terraform apply -auto-approve...aws_instance.ansible_server: Creation complete after 2m7s[id=i-06774a7635d4581ac]Apply complete! Resources: 5 added, 0 changed, 0 destroyed.Outputs:ansible_command = ansible-playbook -u ubuntu --key-file ansible-key.pem -T
300 -i '54.245.143.100,', app.yml
public_ip = 54.245.143.100

当要进行蓝绿割接的时候,只需要再次执行一下上述 ansible 命令即可:

$ ansible-playbook \
-u ubuntu \
--key-file ansible-key.pem \
-T 300 \
-i '54.245.143.100' app.yml

如何写一个 Provider

当现有的 Provider 不符合你的需求或根本就没有你想要的 Provider 时,该怎么办?该怎么办?该怎么办?那就是写一个出来呗。这样的话,我们就可以通过 Terraform 以基础设施即代码的形式来管理我们远端的 API。也就是说,只要存在一个 RESTful 形式的 API,理论上,我们就可以通过 Terraform 来管理它。接下来本节介绍如何写一个 Provider。我们先看一下 Terraform 的工作流程是怎么样的。

Terraform 与 Provider 如何交互

Terraform 官网也有非常详细的关于如何开发 Plugins 的文档,文档链接:https://www.terraform.io/plugin。这里有两点需要注意:

  1. 必须存在一个远端(或上游) API;(可以是任何语言编写的 API)

  2. 操作这个 API 的客户端 SDK;(Golang 客户端。因为 Provider 是 Go 写的,所有也要有一个 Go 客户端 SDK)

首先有一个 RESTful API

我们看一下代码的目录结构。代码来自《Terraform in Action》一书的第 11 章,我们对其进行了修改。代码中使用了 AWS 的 Lambda 函数式计算,在这里把相关代码删除了,使其可以运行在任何环境中。代码中使用了 ORM,是国人开发的一款 ORM 框架 jinzhu 。官网地址为:GORM - The fantastic ORM library for Golang, aims to be developer friendly.使用的 Web 框架为 go-gin,其官网地址为:Gin Web Framework (gin-gonic.com)接着看一下目录结构及代码:

➜ my-go-petstore git:(dev) ✗ tree
.
├── README.md
├── action
│ └── pets
│   ├── create.go
│   ├── delete.go
│   ├── get.go
│   ├── list.go
│   └── update.go
├── go.mod
├── go.sum
├── main.go
├── model
│ └── pet
│   ├── model.go
│   └── orm.go
└── terraform-petstore4 directories, 12 files

代码规模比较小,是一个比较经典的 MVC 开发模型。先看一下模型的定义。

模型定义

// model/pet/model.gopackage pettype Pet struct {ID   string `gorm:"primary_key" json:"id"`Name  string `json:"name"`Species string `json:"species"`Age   int  `json:"age"`
}

Service 定义

// model/pet/orm.gopackage petimport ("fmt""github.com/jinzhu/gorm"
)//Create creates a pet in the database
func Create(db *gorm.DB, pet *Pet) (string, error) {err := db.Create(pet).Errorif err != nil {return "", err}return pet.ID, nil
}//FindById returns a pet with a given id, or nil if not found
func FindById(db *gorm.DB, id string) (*Pet, error) {var pet Peterr := db.Find(&pet, &Pet{ID: id}).Errorif err != nil {return nil, err}return &pet, nil
}//FindByName returns a pet with a given name, or nil if not found
func FindByName(db *gorm.DB, name string) (*Pet, error) {var pet Peterr := db.Find(&pet, &Pet{Name: name}).Errorif err != nil {return nil, err}return &pet, nil
}//List returns all Pets in database, with a given limit
func List(db *gorm.DB, limit uint) (*[]Pet, error) {var pets []Peterr := db.Find(&pets).Limit(limit).Errorif err != nil {return nil, err}return &pets, nil
}//Update updates a pet in the database
func Update(db *gorm.DB, pet *Pet) error {err := db.Save(pet).Errorreturn err
}//Delete deletes a pet in the database
func Delete(db *gorm.DB, id string) error {pet, err := FindById(db, id)if err != nil {fmt.Printf("1:%v", err)return err}err = db.Delete(pet).Errorfmt.Printf("2:%v", err)return err
}

控制器定义

  • Get(查看一个资源)

// action/pets/get.gopackage petsimport ("github.com/jinzhu/gorm""github.com/TyunTech/terraform-petstore/model/pet"
)//GetPetRequest request struct
type GetPetRequest struct {ID string
}//GetPet returns a pet from database
func GetPet(db *gorm.DB, req *GetPetRequest) (*pet.Pet, error) {p, err := pet.FindById(db, req.ID)res := preturn res, err
}
  • List(查看所有资源)

// action/pets/list.gopackage petsimport ("github.com/jinzhu/gorm""github.com/TyunTech/terraform-petstore/model/pet"
)//ListPetRequest request struct
type ListPetsRequest struct {Limit uint
}//ListPetResponse response struct
type ListPetsResponse struct {Items *[]pet.Pet `json:"items"`
}//ListPets returns a list of pets from database
func ListPets(db *gorm.DB, req *ListPetsRequest) (*ListPetsResponse, error) {pets, err := pet.List(db, req.Limit)res := &ListPetsResponse{Items: pets}return res, err
}
  • Create(创建一个资源)

// action/pets/create.gopackage petsimport ("github.com/google/uuid""github.com/jinzhu/gorm""github.com/TyunTech/terraform-petstore/model/pet"
)//CreatePetRequest request struct
type CreatePetRequest struct {Name  string `json:"name" binding:"required"`Species string `json:"species" binding:"required"`Age   int  `json:"age" binding:"required"`
}//CreatePet creates a pet in database
func CreatePet(db *gorm.DB, req *CreatePetRequest) (*pet.Pet, error) {uuid, _ := uuid.NewRandom()newPet := &pet.Pet{ID:   uuid.String(),Name:  req.Name,Species: req.Species,Age:   req.Age,}id, err := pet.Create(db, newPet)p, err := pet.FindById(db, id)res := preturn res, err
}
  • Update(更新一个资源)

// action/pets/update.gopackage petsimport ("fmt""github.com/jinzhu/gorm""github.com/TyunTech/terraform-petstore/model/pet"
)//UpdatePetRequest request struct
type UpdatePetRequest struct {ID   stringName  string `json:"name"`Species string `json:"species"`Age   int  `json:"age"`
}//UpdatePet updates a pet from database
func UpdatePet(db *gorm.DB, req *UpdatePetRequest) (*pet.Pet, error) {p, err := pet.FindById(db, req.ID)if err != nil {return nil, err}if len(req.Name) > 0 {p.Name = req.Name}if req.Age > 0 {p.Age = req.Age}if len(req.Species) > 0 {p.Species = req.Species}fmt.Printf("requested: %v", p)err = pet.Update(db, p)if err != nil {return nil, err}p, err = pet.FindById(db, req.ID)fmt.Printf("new: %v", p)res := preturn res, err
}
  • Delete(删除一个资源)

// action/pets/delete.gopackage petsimport ("github.com/jinzhu/gorm""github.com/TyunTech/terraform-petstore/model/pet"
)//DeletePetRequest request struct
type DeletePetRequest struct {ID string
}//DeletePet deletes a pet from database
func DeletePet(db *gorm.DB, req *DeletePetRequest) (error) {err := pet.Delete(db, req.ID)return err
}
  • main 入口

代码中,我们去掉了多余的注释及 AWS 的 Lambda 相关代码,使其可以运行在任何环境。

package mainimport ("fmt""net/http""os""strconv""github.com/gin-gonic/gin""github.com/jinzhu/gorm"_ "github.com/jinzhu/gorm/dialects/mysql""github.com/TyunTech/terraform-petstore/action/pets""github.com/TyunTech/terraform-petstore/model/pet"
)var db *gorm.DBfunc init() {initializeRDSConn()validateRDS()
}func initializeRDSConn() {user := os.Getenv("rds_user")password := os.Getenv("rds_password")host := os.Getenv("rds_host")port := os.Getenv("rds_port")database := os.Getenv("rds_database")dsn := fmt.Sprintf("%s:%s@tcp(%s:%s)/%s", user, password, host, port, database)var err errordb, err = gorm.Open("mysql", dsn)if err != nil {fmt.Printf("%s", err)}
}func validateRDS() {//If the pets table does not already exist, create itif !db.HasTable("pets") {db.CreateTable(&pet.Pet{})}
}func optionsPetHandler(c *gin.Context) {c.Header("Access-Control-Allow-Origin", "*")c.Header("Access-Control-Allow-Methods", "GET, POST, DELETE")c.Header("Access-Control-Allow-Headers", "origin, content-type, accept")
}func main() {r := gin.Default()r.POST("/api/pets", createPetHandler)r.GET("/api/pets/:id", getPetHandler)r.GET("/api/pets", listPetsHandler)r.PATCH("/api/pets/:id", updatePetHandler)r.DELETE("/api/pets/:id", deletePetHandler)r.OPTIONS("/api/pets", optionsPetHandler)r.OPTIONS("/api/pets/:id", optionsPetHandler)r.Run(":8000")
}func createPetHandler(c *gin.Context) {c.Header("Access-Control-Allow-Origin", "*")var req pets.CreatePetRequestif err := c.ShouldBindJSON(&req); err != nil {c.JSON(http.StatusBadRequest, gin.H{"error": err.Error()})return}res, err := pets.CreatePet(db, &req)if err != nil {c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()})return}c.JSON(http.StatusOK, res)return
}func listPetsHandler(c *gin.Context) {c.Header("Access-Control-Allow-Origin", "*")limit := 10if c.Query("limit") != "" {newLimit, err := strconv.Atoi(c.Query("limit"))if err != nil {limit = 10} else {limit = newLimit}}if limit > 50 {limit = 50}req := pets.ListPetsRequest{Limit: uint(limit)}res, _ := pets.ListPets(db, &req)c.JSON(http.StatusOK, res)
}func getPetHandler(c *gin.Context) {c.Header("Access-Control-Allow-Origin", "*")id := c.Param("id")req := pets.GetPetRequest{ID: id}res, _ := pets.GetPet(db, &req)if res == nil {c.JSON(http.StatusNotFound, res)return}c.JSON(http.StatusOK, res)
}func updatePetHandler(c *gin.Context) {c.Header("Access-Control-Allow-Origin", "*")var req pets.UpdatePetRequestif err := c.ShouldBindJSON(&req); err != nil {c.JSON(http.StatusBadRequest, gin.H{"error": err.Error()})return}id := c.Param("id")req.ID = idres, err := pets.UpdatePet(db, &req)if err != nil {c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()})return}c.JSON(http.StatusOK, res)return
}func deletePetHandler(c *gin.Context) {c.Header("Access-Control-Allow-Origin", "*")id := c.Param("id")req := pets.DeletePetRequest{ID: id}err := pets.DeletePet(db, &req)if err != nil {c.Status(http.StatusNotFound)return}c.Status(http.StatusOK)
}

下面两幅截图是代码改造前后的对比:

首先,准备代码中需要的数据库账号密码。这里以环境变量的形式提供:

export rds_user=pet
export rds_password=123456
export rds_host=127.0.0.1
export rds_port=3306
export rds_database=pets

接着就可以运行代码了:

➜ my-go-petstore git:(dev) ✗ go run .
[GIN-debug] [WARNING] Creating an Engine instance with the Logger and Recovery middleware already attached.[GIN-debug] [WARNING] Running in "debug" mode. Switch to "release" mode in production.
- using env: export GIN_MODE=release
- using code: gin.SetMode(gin.ReleaseMode)[GIN-debug] POST   /api/pets                 --> main.createPetHandler (3 handlers)
[GIN-debug] GET     /api/pets/:id             --> main.getPetHandler (3 handlers)
[GIN-debug] GET     /api/pets                 --> main.listPetsHandler (3 handlers)
[GIN-debug] PATCH   /api/pets/:id             --> main.updatePetHandler (3 handlers)
[GIN-debug] DELETE /api/pets/:id             --> main.deletePetHandler (3 handlers)
[GIN-debug] OPTIONS /api/pets                 --> main.optionsPetHandler (3 handlers)
[GIN-debug] OPTIONS /api/pets/:id             --> main.optionsPetHandler (3 handlers)
[GIN-debug] [WARNING] You trusted all proxies, this is NOT safe. We recommend you to set a value.
Please check https://pkg.go.dev/github.com/gin-gonic/gin#readme-don-t-trust-all-proxies for details.
[GIN-debug] Listening and serving HTTP on :8000

可以看到,服务运行在 8000 端口,我们通过 httpie 命令测试接口是否可用:

# 创建第一条测试数据(venv37) ➜ my-go-petstore git:(dev) ✗ http POST :8000/api/pets name=Jerry species=mouse age:=1
HTTP/1.1 200 OK
Access-Control-Allow-Origin: *
Content-Length: 86
Content-Type: application/json; charset=utf-8
Date: Sun, 13 Mar 2022 03:44:22 GMT{"age": 1,"id": "9b24b16d-8b09-47e2-9638-16775ccb8d8a","name": "Jerry","species": "mouse"
}# 创建第二条测试数据
(venv37) ➜ my-go-petstore git:(dev) ✗ http POST :8000/api/pets name=Tommy species=cat age:=2  HTTP/1.1 200 OK
Access-Control-Allow-Origin: *
Content-Length: 84
Content-Type: application/json; charset=utf-8
Date: Sun, 13 Mar 2022 03:44:40 GMT{"age": 2,"id": "81f04745-c17e-4f38-a3dd-b6e0741f207b","name": "Tommy","species": "cat"
}

查看数据:

(venv37) ➜ my-go-petstore git:(dev) ✗ http -b :8000/api/pets
{"items": [{"age": 2,"id": "81f04745-c17e-4f38-a3dd-b6e0741f207b","name": "Tommy","species": "cat"},{"age": 1,"id": "9b24b16d-8b09-47e2-9638-16775ccb8d8a","name": "Jerry","species": "mouse"}]
}

到数据库中也查看一些数据:

mysql> use pets;
mysql> select * from pets;
+--------------------------------------+-------+---------+------+
| id                                   | name  | species | age  |
+--------------------------------------+-------+---------+------+
| 81f04745-c17e-4f38-a3dd-b6e0741f207b | Tommy | cat     |    2 |
| 9b24b16d-8b09-47e2-9638-16775ccb8d8a | Jerry | mouse   |    1 |
+--------------------------------------+-------+---------+------+
2 rows in set (0.00 sec)

总结一下,大致的流程是:

其次有一个 Client

什么是 Client 呢?其实就是用来操作 API 的,执行常见的 CRUD 操作。我们看一下代码结构:

(venv37) ➜ petstore-go-client git:(dev) tree .
.
├── README.md
├── examples
│   └── pets
│       └── main.go
├── go.mod
├── go.sum
├── openapi.md
├── openapi.yaml
├── pets.go
├── petstore.go
├── type_helpers.go
└── validations.go2 directories, 10 files

Provider 的代码结构

Provider 的代码是按照标准的 CRUD 形式编码的,所以,我们按照套路进行编写即可。先看一下代码目录结构:

$ ls
dist example go.mod go.sum main.go Makefile petstore terraform-provider-petstore$ tree .
.
├── dist
│   └── linux_amd64
│       └── terraform-provider-petstore
├── example
│   └── main.tf
├── go.mod
├── go.sum
├── main.go
├── Makefile
├── petstore
│   ├── provider.go
│   ├── provider_test.go
│   ├── resource_ps_pet.go
│   └── resource_ps_pet_test.go
└── terraform-provider-petstore4 directories, 11 files

上述的几个关键文件的用途如下:

  • main.go:Provider 的入口点,主要是一些样板代码;

  • petstore/provider.go:包含了 Provider 的定义,资源映射及共享配置对象的初始化;

  • petstore/provider_test.go:Provider 的测试文件;

  • petstore/resource_ps_pet.go:用于定义管理 pet 资源的 CRUD 操作;

  • petstore/resource_ps_pet_test.go:pet 资源的测试文件;

看一下关键的四个函数。

Create

func resourcePSPetCreate(d *schema.ResourceData, meta interface{}) error {conn := meta.(*sdk.Client)options := sdk.PetCreateOptions{Name:    d.Get("name").(string),Species: d.Get("species").(string),Age:     d.Get("age").(int),}pet, err := conn.Pets.Create(options)if err != nil {return err}d.SetId(pet.ID)resourcePSPetRead(d, meta)return nil
}

Read

func resourcePSPetRead(d *schema.ResourceData, meta interface{}) error {conn := meta.(*sdk.Client)pet, err := conn.Pets.Read(d.Id())if err != nil {return err}d.Set("name", pet.Name)d.Set("species", pet.Species)d.Set("age", pet.Age)return nil
}

Update

func resourcePSPetUpdate(d *schema.ResourceData, meta interface{}) error {conn := meta.(*sdk.Client)options := sdk.PetUpdateOptions{}if d.HasChange("name") {options.Name = d.Get("name").(string)}if d.HasChange("age") {options.Age = d.Get("age").(int)}conn.Pets.Update(d.Id(), options)return resourcePSPetRead(d, meta)
}

Delete

func resourcePSPetDelete(d *schema.ResourceData, meta interface{}) error {conn := meta.(*sdk.Client)conn.Pets.Delete(d.Id())return nil
}

介绍了上述方法后,我们看看它们是在什么时候被调用的。如下图所示:

在上述所有的工作完成后,我们就可以构建 Provider 二进制文件,并与远端的 API 进行交互。如果在本地测试没有问题,接下来就可以把我们的自定义 Provider 发布到 Terraform 的 Registry 上面,供有需要的小伙伴使用。

发布自己的 Provider

使用了 GitHub 的 Actions 进行代码的发布,截图如下:

大约十分钟可以发布完成,会生成相关平台的二进制代码,可以供不同的平台进行下载使用。

发布完成,在 Terraform 的 Registry 的界面会有如下的显示。

发布一个 Provider 时需要注意的几点:

  1. 每次发布时,需要自动构建出各种平台的二进制文件;主要使用 .goreleaser.yml 文件实现,其代码如下:

    # Visit https://goreleaser.com for documentation on how to customize this
    # behavior.
    before:
    hooks:# this is just an example and not a requirement for provider building/publishing- go mod tidy
    builds:
    - env:# goreleaser does not work with CGO, it could also complicate# usage by users in CI/CD systems like Terraform Cloud where# they are unable to install libraries.- CGO_ENABLED=0
    mod_timestamp: '{{ .CommitTimestamp }}'
    flags:- -trimpath
    ldflags:- '-s -w -X main.version={{.Version}} -X main.commit={{.Commit}}'
    goos:- freebsd- windows- linux- darwin
    goarch:- amd64- '386'- arm- arm64
    ignore:- goos: darwingoarch: '386'
    binary: '{{ .ProjectName }}_v{{ .Version }}'
    archives:
    - format: zip
    name_template: '{{ .ProjectName }}_{{ .Version }}_{{ .Os }}_{{ .Arch }}'
    checksum:
    name_template: '{{ .ProjectName }}_{{ .Version }}_SHA256SUMS'
    algorithm: sha256
    signs:
    - artifacts: checksumargs:# if you are using this is a GitHub action or some other automated pipeline, you# need to pass the batch flag to indicate its not interactive.- "--batch"- "--local-user"- "{{ .Env.GPG_FINGERPRINT }}" # set this environment variable for your signing key- "--output"- "${signature}"- "--detach-sign"- "${artifact}"
    release:# Visit your project's GitHub Releases page to publish this release.
    draft: false
    changelog:
    skip: true
  2. 这样我们每次提交代码时,Github 的 Actions 会自动构建我们的代码,根据 Tag 信息自动构建出 Release 文件;

  3. 生成 GPG 的公钥及私钥;相关命令如下:

    # 生成 GPG 公私钥
    $ gpg --full-generate-key# 查看 GPG 信息
    gpg --list-secret-keys --keyid-format=longsec   rsa4096/C15EAAAAAAAAAAAA 2022-04-06 [SC] # 需要关注此 ID:C15EAAAAAAAAAAAA274425A57102378E4AAAAAAAAAAAAAAAAAAAAAAA
    uid                 [ultimate] Laven Liu <@gmail.com>
    ssb   rsa4096/2BAAAAAAAAAAAAAA 2022-04-06 [E]# 查看 GPG 私钥
    gpg --armor --export-secret-keys "C15EAAAAAAAAAAAA"# 查看 GPG 公钥
    gpg --armor --export "C15EAAAAAAAAAAAA"
  4. 配置 Github Actions,这一步主要是配置 GPG 的公私钥;

如何使用

在 Registry 的界面上,可以找到使用说明。如下图所示:

准备配置文件 main.tf

terraform {
required_providers {petstore = {source = "TyunTech/petstore"version = "1.0.1"}
}
}provider "petstore" {address = "http://localhost:8000"
}resource "petstore_pet" "my_pet" {name    = "SnowBall"species = "cat"age     = 3
}

首先执行 terraform init 初始化:

(venv37) ➜ ch11 terraform init
......
Terraform has been successfully initialized!

接着执行 terraform apply

(venv37) ➜ ch11 terraform apply -auto-approveTerraform used the selected providers to generate the following execution plan. Resource
actions are indicated with the following symbols:+ createTerraform will perform the following actions:# petstore_pet.my_pet will be created+ resource "petstore_pet" "my_pet" {+ age     = 3+ id      = (known after apply)+ name    = "SnowBall"+ species = "cat"}Plan: 1 to add, 0 to change, 0 to destroy.
petstore_pet.my_pet: Creating...
petstore_pet.my_pet: Creation complete after 0s [id=96bcf678-231f-449a-baf1-a01d2c7ecb9b]Apply complete! Resources: 1 added, 0 changed, 0 destroyed.

它真的创建资源了吗?我们到数据库中查看一下:

mysql> use pets
mysql> select * from pets;
+--------------------------------------+----------+---------+------+
| id                                   | name     | species | age  |
+--------------------------------------+----------+---------+------+
| 81f04745-c17e-4f38-a3dd-b6e0741f207b | Tommy    | cat     |    2 |
| 96bcf678-231f-449a-baf1-a01d2c7ecb9b | SnowBall | cat     |    3 | -- <- 创建了该记录
| 9b24b16d-8b09-47e2-9638-16775ccb8d8a | Jerry    | mouse   |    1 |
+--------------------------------------+----------+---------+------+
3 rows in set (0.00 sec)

修改一下 snowball 的年龄为 7 岁,然后再次执行,看看数据库中的数据会不会发生变化:

(venv37) ➜ ch11 terraform apply -auto-approve
petstore_pet.my_pet: Refreshing state... [id=96bcf678-231f-449a-baf1-a01d2c7ecb9b]Terraform used the selected providers to generate the following execution plan. Resource
actions are indicated with the following symbols:
~ update in-placeTerraform will perform the following actions:# petstore_pet.my_pet will be updated in-place
~ resource "petstore_pet" "my_pet" {~ age     = 3 -> 7id      = "96bcf678-231f-449a-baf1-a01d2c7ecb9b"name    = "SnowBall"# (1 unchanged attribute hidden)}Plan: 0 to add, 1 to change, 0 to destroy.
petstore_pet.my_pet: Modifying... [id=96bcf678-231f-449a-baf1-a01d2c7ecb9b]
petstore_pet.my_pet: Modifications complete after 0s [id=96bcf678-231f-449a-baf1-a01d2c7ecb9b]Apply complete! Resources: 0 added, 1 changed, 0 destroyed.

再次验证一下数据库:

mysql> select * from pets;
+--------------------------------------+----------+---------+------+
| id                                   | name     | species | age  |
+--------------------------------------+----------+---------+------+
| 81f04745-c17e-4f38-a3dd-b6e0741f207b | Tommy    | cat     |    2 |
| 9b24b16d-8b09-47e2-9638-16775ccb8d8a | Jerry    | mouse   |    1 |
| a159cd59-0a4f-4fdf-9ea7-fda2a59f5c9e | snowball | cat     |    7 |
+--------------------------------------+----------+---------+------+
3 rows in set (0.00 sec)

删除数据

(venv37) ➜ ch11 terraform destroypetstore_pet.my_pet: Refreshing state... [id=a159cd59-0a4f-4fdf-9ea7-fda2a59f5c9e]Terraform used the selected providers to generate the following execution plan. Resource
actions are indicated with the following symbols:- destroyTerraform will perform the following actions:# petstore_pet.my_pet will be destroyed- resource "petstore_pet" "my_pet" {- age     = 7 -> null- id      = "a159cd59-0a4f-4fdf-9ea7-fda2a59f5c9e" -> null- name    = "snowball" -> null- species = "cat" -> null}Plan: 0 to add, 0 to change, 1 to destroy.Do you really want to destroy all resources?
Terraform will destroy all your managed infrastructure, as shown above.
There is no undo. Only 'yes' will be accepted to confirm.Enter a value: yes # 输入 yespetstore_pet.my_pet: Destroying... [id=a159cd59-0a4f-4fdf-9ea7-fda2a59f5c9e]
petstore_pet.my_pet: Destruction complete after 0sDestroy complete! Resources: 1 destroyed.

验证一下数据库中的数据是否还存在:

mysql> select * from pets;
+--------------------------------------+-------+---------+------+
| id                                   | name  | species | age  |
+--------------------------------------+-------+---------+------+
| 81f04745-c17e-4f38-a3dd-b6e0741f207b | Tommy | cat     |    2 |
| 9b24b16d-8b09-47e2-9638-16775ccb8d8a | Jerry | mouse   |    1 |
+--------------------------------------+-------+---------+------+2 rows in set (0.00 sec)

常用模块

random

resource "random_string" "random" {length = 16
}output "random"{value =random_string.random.result
}# 输出:
Outputs:random = "BQa7LGq4RtDtCv)&"

local_file

resource "local_file" "myfile" {content = "This is my text"filename = "../mytextfile.txt"
}

archive

data "archive_file" "backup" {type       = "zip"source_file = "../mytextfile.txt"output_path = "${path.module}/archives/backup.zip"
}

排错

当执行计划失败的时候,该怎么办?看日志呗。对于更详细的日志,我们课可以通过设置环境变量打开 trace 级别的日志。如:export TF_LOG=trace。如何关闭日志?把环境变量 TF_LOG 的值设置一个空值即可。

# 打开详细的日志
export TF_LOG=trace# 关闭日志
export TF_LOG=

再次执行 terraform xxx 命令时,会有如下的输出:

2022-03-04T16:37:54.239+0800 [INFO] Terraform version: 1.1.6
2022-03-04T16:37:54.240+0800 [INFO] Go runtime version: go1.17.2
2022-03-04T16:37:54.240+0800 [INFO] CLI args: []string{"terraform", "init"}
2022-03-04T16:37:54.240+0800 [TRACE] Stdout is a terminal of width 135
2022-03-04T16:37:54.240+0800 [TRACE] Stderr is a terminal of width 135
2022-03-04T16:37:54.240+0800 [TRACE] Stdin is a terminal
2022-03-04T16:37:54.240+0800 [DEBUG] Attempting to open CLI config file: /root/.terraformrc
2022-03-04T16:37:54.240+0800 [INFO] Loading CLI configuration from /root/.terraformrc
2022-03-04T16:37:54.240+0800 [DEBUG] checking for credentials in "/root/.terraform.d/plugins"......Initializing the backend...
2022-03-04T16:37:54.247+0800 [TRACE] Meta.Backend: no config given or present on disk, so returning nil config
2022-03-04T16:37:54.247+0800 [TRACE] Meta.Backend: backend has not previously been initialized in this working directory......2022-03-04T16:37:54.252+0800 [TRACE] backend/local: state manager for workspace "default" will:
- read initial snapshot from terraform.tfstate
- write new snapshots to terraform.tfstate
- create any backup at terraform.tfstate.backup
2022-03-04T16:37:54.252+0800 [TRACE] statemgr.Filesystem: reading initial snapshot from terraform.tfstate
2022-03-04T16:37:54.252+0800 [TRACE] statemgr.Filesystem: snapshot file has nil snapshot, but that's okay
2022-03-04T16:37:54.252+0800 [TRACE] statemgr.Filesystem: read nil snapshotInitializing provider plugins...
- Finding hashicorp/alicloud versions matching "1.157.0"...
2022-03-04T16:37:54.252+0800 [DEBUG] Service discovery for registry.terraform.io at https://registry.terraform.io/.well-known/terraform.json

推荐学习资料

本文的内容是翻译于《Terraform in Action》一书,是一本非常不错的书,值得阅读并实践。但是也有其他优秀的参考资料,以下是整理的资源列表,供参考。

网站资源推荐:

  1. https://lonegunmanb.github.io/introduction-terraform/。推荐阅读:Terraform 命令行章节;Terraform 模块章节。
  2. https://help.aliyun.com/product/95817.html?spm=a2cls.b92374736.0.0.267599deCIHp3f,如果使用阿里云,可以参考上述帮助文档。

书籍推荐:

  1. 《Terraform in Action》

  2. 《Terraform Up and Running》

Terraform 学习总结(6)—— 基于阿里云平台上的 Terraform 实战相关推荐

  1. Terraform 学习总结(7)—— 基于 AWS 云平台上的 Terraform 实战

    一.AWS 上基础环境介绍 相信大家已经知道 Terraform 的基本使用方式了.在我们以后的场景中,主要讨论一些典型架构的实现.在实际使用中,Terraform 在多云基础架构创建中,是非常方便和 ...

  2. 基于阿里云平台的短信验证码服务API的使用

    基于阿里云平台的短信验证码服务API的使用 第一步:登录阿里云平台 第二步:申请国内文本短信签名 如果是个人作业项目(如作者的签名),可以直接申请测试和学习用的测试签名,该签名的缺点是必须绑定测试手机 ...

  3. 基于阿里云平台的esp8266实现空调红外远程控制

    基于阿里云平台的esp8266实现空调红外远程控制 演示视频:https://www.bilibili.com/video/BV1tL411W7Ck 开发环境 概述 开发需要的环境包括:硬件ESP82 ...

  4. python数据包发送给云平台_用python发送短消息(基于阿里云平台)

    新版短信接口在线测试页面:https://api.aliyun.com/new#/?product=Dysmsapi&api=SendSms&params={}&tab=DEM ...

  5. 云计算学习笔记:基于阿里云ECS服务器搭建云上博客WordPress教程(详细图文版)

    今天使用阿里云免费提供的一台基础环境的 CentOS 6.4 64 位的 ECS(云服务器)实例,完成了安装和部署LAMP 环境并安装 WordPress博客,下面记录下实验过程,和一些小细节上的问题 ...

  6. esp32,基于阿里云平台,配置实现Node.js SDK接入示例出现description: ‘Failed to authenticate: 4‘ BUG

    项目场景: 需要esp32板子一块,一个wifi热点,最好是自己手机的 问题描述 当你配置好阿里云官方文档所需要的信息后,出现报错:description: 'Failed to authentica ...

  7. 在IIS服务器上部署SSL证书(基于阿里云平台)

    阿里云部署步骤: 步骤一: 下载文件 1.登录SSL证书控制台. 2.在左侧导航栏,单击SSL证书. 3.定位到已签发的SSL证书,单击操作列下的下载. 4.在证书下载面板,单击IIS服务器类型后的下 ...

  8. 从零开始,打造基于阿里IoT云平台的LoRa解决方案(3)_配置产品功能,将上传数据解析为阿里云平台数据格式

    本篇是 <从零开始,打造基于阿里IoT云平台的LoRa解决方案>系列教程的第3 篇,将为大家讲解:1-如何配置产品功能?2-如何将产品的上传数据解析为阿里云平台数据格式? 查看阿里物联网平 ...

  9. 阿里云平台与MQTTX软件通信

    阿里云平台与MQTTX软件通信 上一篇文章介绍了如何创建阿里云物联网平台以及MQTT.fx软件通信配置:https://blog.csdn.net/weixin_46251230/article/de ...

最新文章

  1. C++中流的基本概念
  2. Google Hangouts支持使用Firefox WebRTC
  3. Mybatis源码:Executor 模板模式
  4. 人类繁荣的数学:数学的哈欠
  5. chrome 浏览器之下载管理器插件
  6. 路由器总是有信号无网络连接到服务器,路由器信号满格但是没有网络怎么办
  7. sqlite 数据库 boolean类型的小小测试
  8. 计算机基础与应用演示文稿教案,计算机应用基础教案82修饰演示文稿.pdf
  9. c语言对整形indexing,C语言运算符另类分类法
  10. 这周学点变速不变调、变调不变速
  11. 停车还能360全方位影像_辅助停车,新手司机就选360全景吧!
  12. 大数据会议资料学习笔记201402
  13. 整流十五—网侧低频电流谐波抑制方法及其稳定性分析
  14. html超酷图片墙特效代码,超酷超绚精美图片展示效果代码(一)
  15. 将本地镜像发布到阿里云仓库
  16. Ubuntu安装必备软件
  17. Java实现数据排序
  18. Day32 Web自动化进阶
  19. 这四个重要的用研技能
  20. vs2005使用技巧

热门文章

  1. 基本面分析 ≠ 基本面量化投资?
  2. Python将单一数字标签进行one-hot编码
  3. 利用PS的磁性套索工具进行抠图
  4. 学计算机装什么系统,怎么看电脑装的什么系统|怎么查看安装的系统是什么版本...
  5. linux-uos输入法丢失解决办法
  6. 英语听力采用计算机化考试,一图读懂北京高考英语听力机考流程,附特点及应对建议...
  7. 技术书籍也香艳——《Head Fisrt 设计模式》
  8. Tensorflow环境搭建
  9. 股票爆仓有几种情况?股票爆仓具体怎么预防?
  10. gazebo仿真时在加入差分运动插件后没有cmd_vel话题