Работа с CloudFlare и Terraform в Unix/Linux
У меня есть папка terraform, в ней у меня будут лежать провайдеры с которыми я буду работать. Т.к в этом примере я буду использовать AWS, то создам данную папку и перейду в нее. Далее, в этой папке, стоит создать:
$ mkdir examples modules
В папке examples, я буду хранить так званые «плейбуки» для разварачивания различных служб, например — zabbix-server, grafana, web-серверы и так далее. В modules директории, я буду хранить все необходимые модули.
Начнем писать модуль, но для этой задачи, я создам папку:
$ mkdir modules/cloudflare_record
Переходим в нее:
$ cd modules/cloudflare_record
Открываем файл:
$ vim cloudflare_record.tf
В данный файл, вставляем:
#--------------------------------------------------- # Add a record to the domain #--------------------------------------------------- resource "cloudflare_record" "record" { count = "${var.domain !="" && var.name !="" && var.value !="" ? 1 : 0}" domain = "${var.domain}" name = "${var.name}" value = "${var.value}" type = "${var.type}" ttl = "${var.ttl}" priority = "${var.priority}" proxied = "${var.proxied}" }
Открываем файл:
$ vim variables.tf
И прописываем:
#----------------------------------------------------------- # Global or/and default variables #----------------------------------------------------------- variable "name" { description = " The name of the record" default = "cloudflare_name" } variable "domain" { description = "The domain to add the record to" default = "" } variable "value" { description = "The value of the record. Ex: 192.168.13.113" default = "" } variable "type" { description = "The type of the record" default = "A" } variable "ttl" { description = "The TTL of the record" default = 3600 } variable "priority" { description = "The priority of the record" default = "1" } variable "proxied" { description = "Whether the record gets Cloudflare's origin protection." default = "" }
Собственно в этом файле храняться все переменные. Спасибо кэп!
Открываем последний файл:
$ vim outputs.tf
И в него вставить нужно следующие строки:
output "record_ids" { description = "" value = "${cloudflare_record.record.*.id}" } output "record_names" { description = "" value = "${cloudflare_record.record.*.name}" } output "record_values" { description = "" value = "${cloudflare_record.record.*.value}" } output "record_types" { description = "" value = "${cloudflare_record.record.*.type}" } output "record_ttls" { description = "" value = "${cloudflare_record.record.*.ttl}" } output "record_prioritys" { description = "" value = "${cloudflare_record.record.*.priority}" } output "record_hostnames" { description = "" value = "${cloudflare_record.record.*.hostname}" } output "record_proxieds" { description = "" value = "${cloudflare_record.record.*.proxied}" }
Переходим теперь в папку aws/examples и создадим еще одну папку для проверки написанного чуда:
$ mkdir cloudflare_record && cd $_
Внутри созданной папки открываем файл:
$ vim main.tf
И вставим в него следующий код:
# # MAINTAINER Vitaliy Natarov "[email protected]" # terraform { required_version = "> 0.9.0" } provider "cloudflare" { email = "" token = "" } module "cloudflare_record" { source = "../../modules/cloudflare_record" name = "cloudflare_record" }
В файле стоит прописать все необходимое, но самое главное:
- email — Мыло при регистрации аккаунта в клаудфлюре.
- token — Сгенерированный токен от клаудфлюра.
Еще полезности:
Все уже написано и готово к использованию. Ну что, начнем тестирование. В папке с вашим плейбуком, выполняем:
$ terraform init
Этим действием я инициализирую проект. Затем, подтягиваю модуль:
$ terraform get
PS: Для обновление изменений в самом модуле, можно выполнять:
$ terraform get -update
Проверим валидацию:
$ terraform validate
Запускем прогон:
$ terraform plan
Мне вывело что все у меня хорошо и можно запускать деплой:
$ terraform apply
Как видно с вывода, — все прошло гладко! Чтобы удалить созданное творение, можно выполнить:
$ terraform destroy
Весь материал аплоаджу в github аккаунт для удобства использования:
$ git clone https://github.com/SebastianUA/terraform.git
Вот и все на этом. Данная статья «Работа с CloudFlare и Terraform в Unix/Linux» завершена.
Установка terraform в Unix/Linux
Установка крайне примитивная и я описал как это можно сделать тут:
Вот еще полезные статьи по GCP + Terrafrom:
Так же, в данной статье, я создал скрипт для автоматической установки данного ПО. Он был протестирован на CentOS 6/7, Debian 8 и на Mac OS X. Все работает должным образом!
Чтобы получить помощь по использованию команд, выполните:
$ terraform --help Usage: terraform <command> The available commands for execution are listed below. The most common, useful commands are shown first, followed by less common or more advanced commands. If you're just getting started with Terraform, stick with the common commands. For the other commands, please read the help and docs before usage. Common commands: apply Builds or changes infrastructure console Interactive console for Terraform interpolations destroy Destroy Terraform-managed infrastructure env Workspace management fmt Rewrites config files to canonical format get Download and install modules for the configuration graph Create a visual graph of Terraform resources import Import existing infrastructure into Terraform init Initialize a Terraform working directory output Read an output from a state file plan Generate and show an execution plan providers Prints a tree of the providers used in the configuration push Upload this Terraform module to Atlas to run refresh Update local state file against real resources show Inspect Terraform state or plan taint Manually mark a resource for recreation untaint Manually unmark a resource as tainted validate Validates the Terraform files version Prints the Terraform version workspace Workspace management All other commands: debug Debug output management (experimental) force-unlock Manually unlock the terraform state state Advanced state management
Приступим к использованию!
Выводы
После установки инструмента автоматизации Terraform в Linux вы можете сразу же запустить его на своем компьютере, чтобы начать работу. Если вы используете его в облачной системе или на виртуальной машине, убедитесь, что ваша система имеет активное подключение к Интернету и вы правильно развернули Terraform. Во всем посте я описал процесс установки Terraform в большинстве основных дистрибутивов Linux.
Пожалуйста, поделитесь им со своими друзьями и сообществом Linux, если вы найдете этот пост полезным и информативным. Вы также можете записать свое мнение об этом сообщении в разделе комментариев.