Certification Flashcards

1
Q

How does using IaC make it easy to provision infrastructure?

A

IaC makes it easy to provision and apply infrastructure configurations, saving time. It standardizes workflows across different infrastructure providers (e.g., VMware, AWS, Azure, GCP, etc.) by using a common syntax across all of them.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
2
Q

What are the use cases of Terraform?

A
Heroku App Setup
Multi-Tier Applications
Self-Service Clusters
Software Demos
Disposable Environments
Software Defined Networking
Resource Schedulers
Multi-Cloud Deployment
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
3
Q

What are the advantages of Terraform?

A

Platform Agnostic
State Management
Operator Confidence

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
4
Q

Where do you describe all the components or your entire datacenter so that Terraform provision those?

A

Configuration files ends with *.tf

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
5
Q

How can Terraform build infrastructure so efficiently?

A

Terraform builds a graph of all your resources, and parallelizes the creation and modification of any non-dependent resources. Because of this, Terraform builds infrastructure as efficiently as possible, and operators get insight into dependencies in their infrastructure.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
6
Q

What is multi-cloud deployment?

A

Provisioning your infrastructure into multiple cloud providers to increase fault-tolerance of your applications.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
7
Q

How multi-cloud deployment is useful?

A

By using only a single region or cloud provider, fault tolerance is limited by the availability of that provider.
Having a multi-cloud deployment allows for more graceful recovery of the loss of a region or entire provider.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
8
Q

What is cloud-agnostic in terms of provisioning tools?

A

cloud-agnostic and allows a single configuration to be used to manage multiple providers, and to even handle cross-cloud dependencies.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
9
Q

Is Terraform cloud-agostic?

A

Yes

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
10
Q

What is the use of terraform being cloud-agnostic?

A

It simplifies management and orchestration, helping operators build large-scale multi-cloud infrastructures.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
11
Q

Where is Terraform State Stored When running locally?

A

By default, when you run Terraform in the folder /some/folder, Terraform creates the file /some/folder/terraform.tfstate.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
12
Q

What is the purpose of the Terraform State?

A

Mapping to the Real World
Terraform requires some sort of database to map Terraform config to the real world because you can’t find the same functionality in every cloud provider. You need to have some kind of mechanism to be cloud-agnostic

Metadata
Terraform must also track metadata such as resource dependencies, pointer to the provider configuration that was most recently used with the resource in situations where multiple aliased providers are present.

Performance
When running a terraform plan, Terraform must know the current state of resources in order to effectively determine the changes that it needs to make to reach your desired configuration.
For larger infrastructures, querying every resource is too slow. Many cloud providers do not provide APIs to query multiple resources at once, and the round trip time for each resource is hundreds of milliseconds. So, Terraform stores a cache of the attribute values for all resources in the state. This is the most optional feature of Terraform state and is done only as a performance improvement.

Syncing
When two people works on the same file and doing some changes to the infrastructure. Its very important for everyone to be working with the same state so that operations will be applied to the same remote objects.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
13
Q

What is the name of the terraform state file?

A

terraform.tfstate

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
14
Q

How do you manually install terraform?

A

step 1: Download the zip fille

step 2: mv ~/Downloads/terraform /usr/local/bin/terraform

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
15
Q

Where do you put terraform configurations so that you can configure some behaviors of Terraform itself?

A
The special terraform configuration block type is used to configure some behaviors of Terraform itself, such as requiring a minimum Terraform version to apply your configuration.
terraform {
  # ...
}
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
16
Q

Only constants are allowed inside the terraform block. Is this correct?

A

Yes
Within a terraform block, only constant values can be used; arguments may not refer to named objects such as resources, input variables, etc, and may not use any of the Terraform language built-in functions.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
17
Q

What are the Providers?

A

A provider is a plugin that Terraform uses to translate the API interactions with the service. A provider is responsible for understanding API interactions and exposing resources. Because Terraform can interact with any API, you can represent almost any infrastructure type as a resource in Terraform.
https://www.terraform.io/docs/configuration/providers.html

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
18
Q

How do you configure a Provider?

A

provider “google” {
project = “acme-app”
region = “us-central1”
}
The name given in the block header (“google” in this example) is the name of the provider to configure. Terraform associates each resource type with a provider by taking the first word of the resource type name (separated by underscores), and so the “google” provider is assumed to be the provider for the resource type name google_compute_instance.
The body of the block (between { and }) contains configuration arguments for the provider itself. Most arguments in this section are specified by the provider itself; in this example both project and region are specific to the google provider.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
19
Q

What are the meta-arguments that are defined by Terraform itself and available for all provider blocks?

A

version: Constraining the allowed provider versions
alias: using the same provider with different configurations for different resources

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
20
Q

What is Provider initialization and why do we need?

A

Each time a new provider is added to configuration – either explicitly via a provider block or by adding a resource from that provider – Terraform must initialize the provider before it can be used.
Initialization downloads and installs the provider’s plugin so that it can later be executed.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
21
Q

How do you initialize any Provider?

A

Provider initialization is one of the actions of terraform init. Running this command will download and initialize any providers that are not already initialized.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
22
Q

When you run terraform init command, all the providers are installed in the current working directory. Is this true?

A

Providers downloaded by terraform init are only installed for the current working directory; other working directories can have their own installed provider versions.
Note that terraform init cannot automatically download providers that are not distributed by HashiCorp. See Third-party Plugins below for installation instructions.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
23
Q

How do you constrain the provider version?

A
To constrain the provider version as suggested, add a required_providers block inside a terraform block:
terraform {
  required_providers {
    aws = "~> 1.0"
  }
}
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
24
Q

How do you upgrade to the latest acceptable version of the provider?

A

terraform init –upgrade
It upgrade to the latest acceptable version of each provider
This command also upgrades to the latest versions of all Terraform modules.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
25
Q

How many ways you can configure provider versions?

A
1. With required_providers blocks under terraform block
terraform {
  required_providers {
    aws = "~> 1.0"
  }
}
2. Provider version constraints can also be specified using a version argument within a provider block
provider {
  version= "1.0"
}
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
26
Q

How do you configure Multiple Provider Instances?

A
alias
You can optionally define multiple configurations for the same provider, and select which one to use on a per-resource or per-module basis.
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
27
Q

Why do we need Multiple Provider instances?

A

Some of the example scenarios:

a. multiple regions for a cloud platform
b. targeting multiple Docker hosts
c. multiple Consul hosts, etc.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
28
Q

How do we define multiple Provider configurations?

A
To include multiple configurations for a given provider, include multiple provider blocks with the same provider name, but set the alias meta-argument to an alias name to use for each additional configuration.
# The default provider configuration
provider "aws" {
  region = "us-east-1"
}
# Additional provider configuration for west coast region
provider "aws" {
  alias  = "west"
  region = "us-west-2"
}
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
29
Q

How do you select alternate providers?

A

By default, resources use a default provider configuration inferred from the first word of the resource type name. For example, a resource of type aws_instance uses the default (un-aliased) aws provider configuration unless otherwise stated.
resource “aws_instance” “foo” {
provider = aws.west

  # ...
}
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
30
Q

What is the location of the user plugins directory?

A

Windows %APPDATA%\terraform.d\plugins

All other systems ~/.terraform.d/plugins

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
31
Q

Third-party plugins should be manually installed. Is that true?

A

True

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
32
Q

The command terraform init cannot install third-party plugins? True or false?

A

True
Install third-party providers by placing their plugin executables in the user plugins directory. The user plugins directory is in one of the following locations, depending on the host operating system
Once a plugin is installed, terraform init can initialize it normally. You must run this command from the directory where the configuration files are located.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
33
Q

What is the naming scheme for provider plugins?

A

terraform-provider-_vX.Y.Z

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
34
Q

What is the CLI configuration File?

A

The CLI configuration file configures per-user settings for CLI behaviors, which apply across all Terraform working directories.
It is named either .terraformrc or terraform.rc

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
35
Q

Where is the location of the CLI configuration File?

A

On Windows, the file must be named named terraform.rc and placed in the relevant user’s %APPDATA% directory.
On all other systems, the file must be named .terraformrc (note the leading period) and placed directly in the home directory of the relevant user.
The location of the Terraform CLI configuration file can also be specified using the TF_CLI_CONFIG_FILE environment variabl

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
36
Q

What is Provider Plugin Cache?

A

By default, terraform init downloads plugins into a subdirectory of the working directory so that each working directory is self-contained. As a consequence, if you have multiple configurations that use the same provider then a separate copy of its plugin will be downloaded for each configuration.
Given that provider plugins can be quite large (on the order of hundreds of megabytes), this default behavior can be inconvenient for those with slow or metered Internet connections.
Therefore Terraform optionally allows the use of a local directory as a shared plugin cache, which then allows each distinct plugin binary to be downloaded only once.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
37
Q

How do you enable Provider Plugin Cache?

A

To enable the plugin cache, use the plugin_cache_dir setting in the CLI configuration file.
plugin_cache_dir = “$HOME/.terraform.d/plugin-cache”
Alternatively, the TF_PLUGIN_CACHE_DIR environment variable can be used to enable caching or to override an existing cache directory within a particular shell session:

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
38
Q

When you are using plugin cache you end up growing cache directory with different versions. Whose responsibility to clean it?

A

User
Terraform will never itself delete a plugin from the plugin cache once it’s been placed there. Over time, as plugins are upgraded, the cache directory may grow to contain several unused versions which must be manually deleted.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
39
Q

Why do we need to initialize the directory?

A
When you create a new configuration — or check out an existing configuration from version control — you need to initialize the directory
// Example
provider "aws" {
  profile = "default"
  region  = "us-east-1"
}
resource "aws_instance" "example" {
  ami           = "ami-2757f631"
  instance_type = "t2.micro"
}
Initializing a configuration directory downloads and installs providers used in the configuration, which in this case is the aws provider. Subsequent commands will use local settings and data during initialization.
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
40
Q

What is the command to initialize the directory?

A

terraform init

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
41
Q

If different teams are working on the same configuration. How do you make files to have consistent formatting?

A

terraform fmt

This command automatically updates configurations in the current directory for easy readability and consistency.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
42
Q

If different teams are working on the same configuration. How do you make files to have syntactically valid and internally consistent?

A

terraform validate
This command will check and report errors within modules, attribute names, and value types.
Validate your configuration. If your configuration is valid, Terraform will return a success message.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
43
Q

What is the command to create infrastructure?

A

terraform apply

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
44
Q

What is the command to show the execution plan and not apply?

A

terraform plan

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
45
Q

How do you inspect the current state of the infrastructure applied?

A

terraform show
When you applied your configuration, Terraform wrote data into a file called terraform.tfstate. This file now contains the IDs and properties of the resources Terraform created so that it can manage or destroy those resources going forward.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
46
Q

If your state file is too big and you want to list the resources from your state. What is the command?

A

terraform state list

https://learn.hashicorp.com/terraform/getting-started/build#manually-managing-state

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
47
Q

What is plug-in based architecture?

A

Defining additional features as plugins to your core platform or core application. This provides extensibility, flexibility and isolation

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
48
Q

What are Provisioners?

A

If you need to do some initial setup on your instances, then provisioners let you upload files, run shell scripts, or install and trigger other software like configuration management tools, etc.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
49
Q

How do you define provisioners?

A

resource “aws_instance” “example” {
ami = “ami-b374d5a5”
instance_type = “t2.micro”

provisioner “local-exec” {
command = “echo hello > hello.txt”
}
}
Provisioner block within the resource block. Multiple provisioner blocks can be added to define multiple provisioning steps. Terraform supports multiple provisioners
https://learn.hashicorp.com/terraform/getting-started/provision

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
50
Q

What are the types of provisioners?

A

local-exec

remote-exec

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
51
Q

What is a local-exec provisioner and when do we use it?

A

The local-exec provisioner executing a command locally on your machine running Terraform.
We use this when we need to do something on our local machine without needing any external URL

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
52
Q

What is a remote-exec provisioner and when do we use it?

A

Another useful provisioner is remote-exec which invokes a script on a remote resource after it is created.
This can be used to run a configuration management tool, bootstrap into a cluster, etc.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
53
Q

Are provisioners runs only when the resource is created or destroyed?

A

Provisioners are only run when a resource is created or destroyed. Provisioners that are run while destroying are Destroy provisioners.
They are not a replacement for configuration management and changing the software of an already-running server, and are instead just meant as a way to bootstrap a server.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
54
Q

What do we need to use a remote-exec?

A
In order to use a remote-exec provisioner, you must choose an ssh or winrm connection in the form of a connection block within the provisioner.
Here is an example
provider "aws" {
  profile = "default"
  region  = "us-west-2"
}
resource "aws_key_pair" "example" {
  key_name   = "examplekey"
  public_key = file("~/.ssh/terraform.pub")
}
resource "aws_instance" "example" {
  key_name      = aws_key_pair.example.key_name
  ami           = "ami-04590e7389a6e577c"
  instance_type = "t2.micro"
connection {
    type        = "ssh"
    user        = "ec2-user"
    private_key = file("~/.ssh/terraform")
    host        = self.public_ip
  }
provisioner "remote-exec" {
    inline = [
      "sudo amazon-linux-extras enable nginx1.12",
      "sudo yum -y install nginx",
      "sudo systemctl start nginx"
    ]
  }
}
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
55
Q

When might terraform mark resources as tainted?

A

If a resource successfully creates but fails during provisioning, Terraform will error and mark the resource as “tainted”.
A resource that is tainted has been physically created, but can’t be considered safe to use since provisioning failed.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
56
Q

You applied the infrastructure with terraform apply and you have some tainted resources. You run an execution plan now what happens to those tainted resources?

A

When you generate your next execution plan, Terraform will not attempt to restart provisioning on the same resource because it isn’t guaranteed to be safe.
Instead, Terraform will remove any tainted resources and create new resources, attempting to provision them again after creation.
https://learn.hashicorp.com/terraform/getting-started/provision

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
57
Q

Terraform also does not automatically roll back and destroy the resource during the apply when the failure happens. Why?

A

Terraform also does not automatically roll back and destroy the resource during the apply when the failure happens, because that would go against the execution plan: the execution plan would’ve said a resource will be created, but does not say it will ever be deleted. If you create an execution plan with a tainted resource, however, the plan will clearly state that the resource will be destroyed because it is tainted.
https://learn.hashicorp.com/terraform/getting-started/provision

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
58
Q

How do you manually taint a resource?

A

terraform taint resource.id

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
59
Q

Does the taint command modify the infrastructure?

A

terraform taint resource.id
This command will not modify infrastructure, but does modify the state file in order to mark a resource as tainted. Once a resource is marked as tainted, the next plan will show that the resource will be destroyed and recreated and the next apply will implement this change.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
60
Q

By default, provisioners that fail will also cause the Terraform apply itself to fail. Is this true?

A

True

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
61
Q

By default, provisioners that fail will also cause the Terraform apply itself to fail. How do you change this?

A

The on_failure setting can be used to change this.
The allowed values are:
continue: Ignore the error and continue with creation or destruction.
fial: Raise an error and stop applying (the default behavior). If this is a creation provisioner, taint the resource.

// Example
resource "aws_instance" "web" {
  # ...
  provisioner "local-exec" {
    command  = "echo The server's IP address is ${self.private_ip}"
    on_failure = "continue"
  }
}
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
62
Q

How do you define destroy provisioner and give an example?

A

You can define destroy provisioner with the parameter when
provisioner “remote-exec” {
when = “destroy”

# 

}

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
63
Q

How do you apply constraints for the provider versions?

A
The required_providers setting is a map specifying a version constraint for each provider required by your configuration.
terraform {
  required_providers {
    aws = ">= 2.7.0"
  }
}
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
64
Q

What should you use to set both a lower and upper bound on versions for each provider?

A
~>
terraform {
  required_providers {
    aws = "~> 2.7.0"
  }
}
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
65
Q

How do you try experimental features?

A
In releases where experimental features are available, you can enable them on a per-module basis by setting the experiments argument inside a terraform block:
terraform {
  experiments = [example]
}
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
66
Q

When does the terraform does not recommend using provisions?

A

Passing data into virtual machines and other compute resources
https://www.terraform.io/docs/provisioners/#passing-data-into-virtual-machines-and-other-compute-resources
Running configuration management software
https://www.terraform.io/docs/provisioners/#running-configuration-management-software

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
67
Q

Expressions in provisioner blocks cannot refer to their parent resource by name. Is this true?

A

True
The self object represents the provisioner’s parent resource, and has all of that resource’s attributes.
For example, use self.public_ip to reference an aws_instance’s public_ip attribute.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
68
Q

What does this symbol version = “~> 1.0” mean when defining versions?

A

Any version more than 1.0 and less than 2.0

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
69
Q

Terraform supports both cloud and on-premises infrastructure platforms. Is this true?

A

True

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
70
Q

Terraform assumes an empty default configuration for any provider that is not explicitly configured. A provider block can be empty. Is this true?

A

True

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
71
Q

How do you configure the required version of Terraform CLI can be used with your configuration?

A

The required_version setting can be used to constrain which versions of the Terraform CLI can be used with your configuration. If the running version of Terraform doesn’t match the constraints specified, Terraform will produce an error and exit without taking any further actions.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
72
Q

Terraform CLI versions and provider versions are independent of each other. Is this true?

A

True

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
73
Q

ou are configuring aws provider and it is always recommended to hard code aws credentials in *.tf files. Is this true?

A

False
HashiCorp recommends that you never hard-code credentials into *.tf configuration files. We are explicitly defining the default AWS config profile here to illustrate how Terraform should access sensitive credentials.
If you leave out your AWS credentials, Terraform will automatically search for saved API credentials (for example, in ~/.aws/credentials) or IAM instance profile credentials. This is cleaner when .tf files are checked into source control or if there is more than one admin user

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
74
Q

You are provisioning the infrastructure with the command terraform apply and you noticed one of the resources failed. How do you remove that resource without affecting the whole infrastructure?

A

You can taint the resource and the next apply will destroy the resource
terraform taint

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
75
Q

What is command fmt?

A

The terraform fmt command is used to rewrite Terraform configuration files to a canonical format and style. This command applies a subset of the Terraform language style conventions, along with other minor adjustments for readability.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
76
Q

What is the recommended approach after upgrading terraform?

A

The canonical format may change in minor ways between Terraform versions, so after upgrading Terraform we recommend to proactively run terraform fmt on your modules along with any other changes you are making to adopt the new version.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
77
Q

By default, fmt scans the current directory for configuration files. Is this true?

A

True
By default, fmt scans the current directory for configuration files. If the dir argument is provided then it will scan that given directory instead. If dir is a single dash (-) then fmt will read from standard input (STDIN).

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
78
Q

You are formatting the configuration files and what is the flag you should use to see the differences?

A

terraform fmt -diff

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
79
Q

You are formatting the configuration files and what is the flag you should use to process the subdirectories as well?

A

terraform fmt -recursive

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
80
Q

You are formatting configuration files in a lot of directories and you don’t want to see the list of file changes. What is the flag that you should use?

A

terraform fmt -list=false

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
81
Q

What is the command taint?

A

The terraform taint command manually marks a Terraform-managed resource as tainted, forcing it to be destroyed and recreated on the next apply.
This command will not modify infrastructure, but does modify the state file in order to mark a resource as tainted. Once a resource is marked as tainted, the next plan will show that the resource will be destroyed and recreated and the next apply will implement this change.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
82
Q

When you are tainting a resource terraform reads the default state file terraform.tfstate. What is the flag you should use to read from a different path?

A

terraform taint -state=path

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
83
Q

Give an example of tainting a single resource?

A
terraform taint aws_security_group.allow_all
The resource aws_security_group.allow_all in the module root has been marked as tainted.
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
84
Q

What is the command import?

A

The terraform import command is used to import existing resources into Terraform.
Terraform is able to import existing infrastructure. This allows you take resources you’ve created by some other means and bring it under Terraform management.
This is a great way to slowly transition infrastructure to Terraform, or to be able to be confident that you can use Terraform in the future if it potentially doesn’t support every feature you need today.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
85
Q

What is the command import usage?

A

terraform import [options] ADDRESS ID

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
86
Q

What is the default workspace name?

A

default

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
87
Q

What are workspaces?

A

Each Terraform configuration has an associated backend that defines how operations are executed and where persistent data such as the Terraform state are stored.
The persistent data stored in the backend belongs to a workspace. Initially the backend has only one workspace, called “default”, and thus there is only one Terraform state associated with that configuration.
Certain backends support multiple named workspaces, allowing multiple states to be associated with a single configuration.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
88
Q

What is the command to list the workspaces?

A

terraform workspace list

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
89
Q

What is the command to create a new workspace?

A

terraform workspace new

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
90
Q

What is the command to show the current workspace?

A

terraform workspace show

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
91
Q

What is the command to switch the workspace?

A

terraform workspace select

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
92
Q

What is the command to delete the workspace?

A

terraform workspace delete

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
93
Q

Can you delete the default workspace?

A

No. You can’t ever delete default workspace

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
94
Q

You are working on the different workspaces and you want to use a different number of instances based on the workspace. How do you achieve that?

A

resource “aws_instance” “example” {
count = “${terraform.workspace == “default” ? 5 : 1}”

  # ... other arguments
}
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
95
Q

You are working on the different workspaces and you want to use tags based on the workspace. How do you achieve that?

A

resource “aws_instance” “example” {
tags = {
Name = “web - ${terraform.workspace}”
}

  # ... other arguments
}
96
Q

You want to create a parallel, distinct copy of a set of infrastructure in order to test a set of changes before modifying the main production infrastructure. How do you achieve that?

A

Workspaces

97
Q

What is the state command used for?

A

The terraform state command is used for advanced state management. As your Terraform usage becomes more advanced, there are some cases where you may need to modify the Terraform state. Rather than modify the state directly, the terraform state commands can be used in many cases instead.
https://www.terraform.io/docs/commands/state/index.html

98
Q

You are working on terraform files and you want to list all the resources. What is the command you should use?

A

terraform state list

99
Q

How do you list the resources for the given name?

A

terraform state list

100
Q

What is the command that shows the attributes of a single resource in the state file?

A

terraform state show ‘resource name’

101
Q

How do you do debugging with terraform?

A

Terraform has detailed logs which can be enabled by setting the TF_LOG environment variable to any value.
This will cause detailed logs to appear on stderr.
You can set TF_LOG to one of the log levels TRACE, DEBUG, INFO, WARN or ERROR to change the verbosity of the logs. TRACE is the most verbose and it is the default if TF_LOG is set to something other than a log level name.
To persist logged output you can set TF_LOG_PATH in order to force the log to always be appended to a specific file when logging is enabled.
Note that even when TF_LOG_PATH is set, TF_LOG must be set in order for any logging to be enabled.
https://www.terraform.io/docs/internals/debugging.html

102
Q

If terraform crashes where should you see the logs?

A

crash.log
If Terraform ever crashes (a “panic” in the Go runtime), it saves a log file with the debug logs from the session as well as the panic message and backtrace to crash.log.
https://www.terraform.io/docs/internals/debugging.html

103
Q

What is the first thing you should do when the terraform crashes?

A

panic message
The most interesting part of a crash log is the panic message itself and the backtrace immediately following. So the first thing to do is to search the file for panic
https://www.terraform.io/docs/internals/debugging.html

104
Q

You are building infrastructure for different environments for example test and dev. How do you maintain separate states?

A

There are two primary methods to separate state between environments:
directories
workspaces

105
Q

What is the difference between directory-separated and workspace-separated environments?

A

Directory separated environments rely on duplicate Terraform code, which may be useful if your deployments need differ, for example to test infrastructure changes in development. But they can run the risk of creating drift between the environments over time.
Workspace-separated environments use the same Terraform code but have different state files, which is useful if you want your environments to stay as similar to each other as possible, for example if you are providing development infrastructure to a team that wants to simulate running in production.

106
Q

What is the command to pull the remote state?

A

terraform state pull
This command will download the state from its current location and output the raw format to stdout.
https://www.terraform.io/docs/commands/state/pull.html

107
Q

What is the command is used manually to upload a local state file to a remote state

A

terraform state push
The terraform state push command is used to manually upload a local state file to remote state. This command also works with local state.
https://www.terraform.io/docs/commands/state/push.html

108
Q

The command terraform taint modifies the state file and doesn’t modify the infrastructure. Is this true?

A

True
This command will not modify infrastructure, but does modify the state file in order to mark a resource as tainted. Once a resource is marked as tainted, the next plan will show that the resource will be destroyed and recreated and the next apply will implement this change.

109
Q

Your team has decided to use terraform in your company and you have existing infrastructure. How do you migrate your existing resources to terraform and start using it?

A

You should use terraform import and modify the infrastrcuture in the terraform files and do the terraform workflow (init, plan, apply)

110
Q

When you are working with the workspaces how do you access the current workspace in the configuration files?

A

${terraform.workspace}

111
Q

When you are using workspaces where does the Terraform save the state file for the local state?

A

terraform.tfstate.d

For local state, Terraform stores the workspace states in a directory called terraform.tfstate.d.

112
Q

When you are using workspaces where does the Terraform save the state file for the remote state?

A

For remote state, the workspaces are stored directly in the configured backend.

113
Q

How do you remove items from the Terraform state?

A

terraform state rm ‘packet_device.worker’
The terraform state rm command is used to remove items from the Terraform state. This command can remove single resources, single instances of a resource, entire modules, and more.
https://www.terraform.io/docs/commands/state/rm.html

114
Q

How do you move the state from one source to another?

A

terraform state mv ‘module.app’ ‘module.parent.module.app’
The terraform state mv command is used to move items in a Terraform state. This command can move single resources, single instances of a resource, entire modules, and more. This command can also move items to a completely different state file, enabling efficient refactoring.
https://www.terraform.io/docs/commands/state/mv.html

115
Q

How do you rename a resource in the terraform state file?

A

terraform state mv ‘packet_device.worker’ ‘packet_device.helper’
The above example renames the packet_device resource named worker to helper:

116
Q

Where do you find and explore terraform Modules?

A
The Terraform Registry makes it simple to find and use modules.
The search query will look at module name, provider, and description to match your search terms. On the results page, filters can be used further refine search results.
117
Q

How do you make sure that modules have stability and compatibility?

A

By default, only verified modules are shown in search results.
Verified modules are reviewed by HashiCorp to ensure stability and compatibility.
By using the filters, you can view unverified modules as well.

118
Q

How do you download any modules?

A
You need to add any module in the configuration file like below
module "consul" {
  source = "hashicorp/consul/aws"
  version = "0.1.0"
}
terraform init command will download and cache any modules referenced by a configuration.
119
Q

What is the syntax for referencing a registry module?

A
//
// for example
module "consul" {
  source = "hashicorp/consul/aws"
  version = "0.1.0"
}
120
Q

What is the syntax for referencing a private registry module?

A
///
// for example
module "vpc" {
  source = "app.terraform.io/example_corp/vpc/aws"
  version = "0.9.3"
}
121
Q

The terraform recommends that all modules must follow semantic versioning. Is this true?

A

True

122
Q

What is a Terraform Module?

A

A Terraform module is a set of Terraform configuration files in a single directory. Even a simple configuration consisting of a single directory with one or more .tf files is a module.

123
Q

Why do we use modules?

A
  • Organize configuration
  • Encapsulate configuration
  • Re-use configuration
  • Provide consistency and ensure best practices
    https: //learn.hashicorp.com/terraform/modules/modules-overview
124
Q

How do you call modules in your configuration?

A
Your configuration can use module blocks to call modules in other directories. 
When Terraform encounters a module block, it loads and processes that module's configuration files.
125
Q

How many ways you can load modules?

A

Local and remote modules
Modules can either be loaded from the local filesystem, or a remote source.
Terraform supports a variety of remote sources, including the Terraform Registry, most version control systems, HTTP URLs, and Terraform Cloud or Terraform Enterprise private module registries.

126
Q

What are the best practices for using Modules?

A
  1. Start writing your configuration with modules in mind. Even for modestly complex Terraform configurations managed by a single person, you’ll find the benefits of using modules outweigh the time it takes to use them properly.
  2. Use local modules to organize and encapsulate your code. Even if you aren’t using or publishing remote modules, organizing your configuration in terms of modules from the beginning will significantlty reduce the burden of maintaining and updating your configuration as your infrastructure grows in complexity.
  3. Use the public Terraform Registry to find useful modules. This way you can more quickly and confidently implement your configuration by relying on the work of others to implement common infrastructure scenarios.
  4. Publish and share modules with your team. Most infrastructure is managed by a team of people, and modules are important way that teams can work together to create and maintain infrastructure. As mentioned earlier, you can publish modules either publicly or privately. We will see how to do this in a future guide in this series.
    https: //learn.hashicorp.com/terraform/modules/modules-overview#module-best-practices
127
Q

What are the different source types for calling modules?

A
Local paths
Terraform Registry
GitHub
Generic Git, Mercurial repositories
Bitbucket
HTTP URLs
S3 buckets
GCS buckets
128
Q

What are the arguments you need for using modules in your configuration?

A
source and version
// example
module "consul" {
  source = "hashicorp/consul/aws"
  version = "0.1.0"
}
129
Q

How do you set input variables for the modules?

A
The configuration that calls a module is responsible for setting its input values, which are passed as arguments in the module block. Aside from source and version, most of the arguments to a module block will set variable values.
On the Terraform registry page for the AWS VPC module, you will see an Inputs tab that describes all of the input variables that module supports.
130
Q

How do you access output variables from the modules?

A

You can access them by referring

module..

131
Q

Where do you put output variables in the configuration?

A

Module outputs are usually either passed to other parts of your configuration, or defined as outputs in your root module. You will see both uses in this guide.
Inside your configuration’s directory, outputs.tf will need to contain:
output “vpc_public_subnets” {
description = “IDs of the VPC’s public subnets”
value = module.vpc.public_subnets
}

output “ec2_instance_public_ips” {
description = “Public IP addresses of EC2 instances”
value = module.ec2_instances.public_ip
}

132
Q

How do you pass input variables in the configuration?

A
You can define variables.tf in the root folder
variable "vpc_name" {
  description = "Name of VPC"
  type        = string
  default     = "example-vpc"
}

Then you can access these varibles in the configuration like this
module “vpc” {
source = “terraform-aws-modules/vpc/aws”
version = “2.21.0”

name = var.vpc_name
cidr = var.vpc_cidr

azs = var.vpc_azs
private_subnets = var.vpc_private_subnets
public_subnets = var.vpc_public_subnets

enable_nat_gateway = var.vpc_enable_nat_gateway

tags = var.vpc_tags
}

133
Q

What is the child module?

A

A module that is called by another configuration is sometimes referred to as a “child module” of that configuration.

134
Q

When you use local modules you don’t have to do the command init or get every time there is a change in the local module. why?

A

When installing a local module, Terraform will instead refer directly to the source directory.
Because of this, Terraform will automatically notice changes to local modules without having to re-run terraform init or terraform get.

135
Q

When you use remote modules what should you do if there is a change in the module?

A

When installing a remote module, Terraform will download it into the .terraform directory in your configuration’s root directory.
You should initialize with terraform init

136
Q

A simple configuration consisting of a single directory with one or more .tf files is a module. Is this true?

A

True

137
Q

When using a new module for the first time, you must run either terraform init or terraform get to install the module. Is this true?

A

True

138
Q

When installing the modules and where does the terraform save these modules?

A
.terraform/modules
// Example
.terraform/modules
├── ec2_instances
│   └── terraform-aws-modules-terraform-aws-ec2-instance-ed6dcd9
├── modules.json
└── vpc
    └── terraform-aws-modules-terraform-aws-vpc-2417f60
139
Q

What is the required argument for the module?

A
source
All modules require a source argument, which is a meta-argument defined by Terraform CLI. Its value is either the path to a local directory of the module's configuration files, or a remote module source that Terraform should download and use. This value must be a literal string with no template sequences; arbitrary expressions are not allowed. For more information on possible values for this argument, see Module Sources.
140
Q

What are the other optional meta-arguments along with the source when defining modules

A
version - (Optional) A version constraint string that specifies which versions of the referenced module are acceptable. The newest version matching the constraint will be used. version is supported only for modules retrieved from module registries.
providers - (Optional) A map whose keys are provider configuration names that are expected by child module and whose values are corresponding provider names in the calling module. This allows provider configurations to be passed explicitly to child modules. If not specified, the child module inherits all of the default (un-aliased) provider configurations from the calling module.
141
Q

What is the Core Terraform workflow?

A

The core Terraform workflow has three steps:

  1. Write - Author infrastructure as code.
  2. Plan - Preview changes before applying.
  3. Apply - Provision reproducible infrastru
142
Q

What is the command init?

A

The terraform init command is used to initialize a working directory containing Terraform configuration files.
This is the first command that should be run after writing a new Terraform configuration or cloning an existing one from version control.
It is safe to run this command multiple times.

143
Q

You recently joined a team and you cloned a terraform configuration files from the version control system. What is the first command you should use?

A

terraform init
This command performs several different initialization steps in order to prepare a working directory for use.
This command is always safe to run multiple times, to bring the working directory up to date with changes in the configuration.
Though subsequent runs may give errors, this command will never delete your existing configuration or state.
If no arguments are given, the configuration in the current working directory is initialized. It is recommended to run Terraform with the current working directory set to the root directory of the configuration, and omit the DIR argument.
https://www.terraform.io/docs/commands/init.html

144
Q

What is the flag you should use to upgrade modules and plugins a part of their respective installation steps?

A

upgrade

terraform init -upgrade

145
Q

When you are doing initialization with terraform init, you want to skip backend initialization. What should you do?

A

terraform init -backend=false

146
Q

When you are doing initialization with terraform init, you want to skip child module installation. What should you do?

A

terraform init -get=false

147
Q

When you are doing initialization where do all the plugins stored?

A

On most operating systems : ~/.terraform.d/plugins

on Windows : %APPDATA%\terraform.d\plugins

148
Q

When you are doing initialization with terraform init, you want to skip plugin installation. What should you do?

A

terraform init -get-plugins=false

149
Q

What does the command terraform validate does?

A

The terraform validate command validates the configuration files in a directory, referring only to the configuration and not accessing any remote services such as remote state, provider APIs, etc.
Validate runs checks that verify whether a configuration is syntactically valid and internally consistent, regardless of any provided variables or existing state.
It is thus primarily useful for general verification of reusable modules, including correctness of attribute names and value types.
https://www.terraform.io/docs/commands/validate.html

150
Q

What does the command plan do?

A

The terraform plan command is used to create an execution plan. Terraform performs a refresh, unless explicitly disabled, and then determines what actions are necessary to achieve the desired state specified in the configuration files.

151
Q

What does the command apply do?

A

The terraform apply command is used to apply the changes required to reach the desired state of the configuration, or the pre-determined set of actions generated by a terraform plan execution plan.
https://www.terraform.io/docs/commands/apply.html

152
Q

ou are applying the infrastructure with the command apply and you don’t want to do interactive approval. Which flag should you use?

A

terraform apply -auto-approve

https://www.terraform.io/docs/commands/apply.html

153
Q

What does the command destroy do?

A

The terraform destroy command is used to destroy the Terraform-managed infrastructure.

154
Q

How do you preview the behavior of the command terraform destroy?

A

terraform plan -destroy

155
Q

What are implicit and explicit dependencies?

A

Implicit dependency:
By studying the resource attributes used in interpolation expressions, Terraform can automatically infer when one resource depends on another.
Terraform uses this dependency information to determine the correct order in which to create the different resources.
Implicit dependencies via interpolation expressions are the primary way to inform Terraform about these relationships, and should be used whenever possible.
Explicit dependency:
Sometimes there are dependencies between resources that are not visible to Terraform. The depends_on argument is accepted by any resource and accepts a list of resources to create explicit dependencies for.

156
Q

Give an example of implicit dependency?

A
In the example below, the reference to aws_instance.example.id creates an implicit dependency on the aws_instance named example.
provider "aws" {
  profile    = "default"
  region     = "us-east-1"
}
resource "aws_instance" "example" {
  ami           = "ami-b374d5a5"
  instance_type = "t2.micro"
}
resource "aws_eip" "ip" {
    vpc = true
    instance = aws_instance.example.id
}
157
Q

Give an example of explicit dependency?

A
In the example below, an application we will run on our EC2 instance expects to use a specific Amazon S3 bucket, but that dependency is configured inside the application code and thus not visible to Terraform. In that case, we can use depends_on to explicitly declare the dependency
resource "aws_s3_bucket" "example" {
  bucket = "some_bucket"
  acl    = "private"
}
resource "aws_instance" "example" {
  ami           = "ami-2757f631"
  instance_type = "t2.micro"

depends_on = [aws_s3_bucket.example]
}

158
Q

How do you save the execution plan?

A

terraform plan -out=tfplan
you can use that file with apply
terraform apply tfplan

159
Q

You have started writing terraform configuration and you are using some sample configuration as a basis. How do you copy the example configuration into your working directory?

A

terraform init -from-module=MODULE-SOURCE

https://www.terraform.io/docs/commands/init.html#copy-a-source-module

160
Q

What is the flag you should use with the terraform plan to get detailed on the exit codes?

A

terraform plan -detailed-exitcode
Return a detailed exit code when the command exits. When provided, this argument changes the exit codes and their meanings to provide more granular information about what the resulting plan contains:
* 0 = Succeeded with empty diff (no changes)
* 1 = Error
* 2 = Succeeded with non-empty diff (changes present)

161
Q

How do you target only specific resources when you run a terraform plan?

A

-target=resource - A Resource Address to target. This flag can be used multiple times. See below for more information.

162
Q

How do you update the state prior to checking differences when you run a terraform plan?

A

terraform plan -refresh=true

163
Q

The behavior of any terraform destroy command can be previewed at any time with an equivalent terraform plan -destroy command. Is this true?

A

True

164
Q

You have the following file and created two resources docker_image and docker_container with the command terraform apply and you go to the terminal and delete the container with the command docker rm. You come back to your configuration and run the command again. Does terraform recreates the resource?

esource “docker_image” “nginx” {
name = “nginx:latest”
keep_locally = false
}

resource "docker_container" "nginx" {
    image = docker_image.nginx.latest
    name = "nginxtutorial"
    ports {
        internal = 80
        external = 8080
    }
    upload {
        source = "${abspath(path.root)}/files/index.html"
        file = "/usr/share/nginx/html/index.html"
    }
}
A

Yes. Terrsform creates the resource again since the execution plan says two resources and the terraform always maintains the desired state

165
Q

You created a VM instance on AWS cloud provider with the terraform configuration and you log in AWS console and removed the instance. What does the next apply do?

A

It creates the instance again

166
Q
ou have the following file and created two resources docker_image and docker_container with the command terraform planand you go to the terminal and delete the container with the command docker rm. You come back to your configuration and run the command again. What is the output of the command plan?
resource "docker_image" "nginx" {
    name = "nginx:latest"
    keep_locally = false
}
resource "docker_container" "nginx" {
    image = docker_image.nginx.latest
    name = "nginxtutorial"
    ports {
        internal = 80
        external = 8080
    }
    upload {
        source = "${abspath(path.root)}/files/index.html"
        file = "/usr/share/nginx/html/index.html"
    }
}
A
Terraform will perform the following actions:
# docker_container.nginx will be created
Plan: 1 to add, 0 to change, 0 to destroy.
167
Q

What are Backends?

A

A “backend” in Terraform determines how state is loaded and how an operation such as apply is executed. This abstraction enables non-local file state storage, remote execution, etc.
By default, Terraform uses the “local” backend, which is the normal behavior of Terraform

168
Q

What is local Backend?

A
The local backend stores state on the local filesystem, locks that state using system APIs, and performs operations locally.
// Example
terraform {
  backend "local" {
    path = "relative/path/to/terraform.tfstate"
  }
}
169
Q

What is the default path for the local backend?

A

This defaults to “terraform.tfstate” relative to the root module by default.

170
Q

What is State Locking?

A

If supported by your backend, Terraform will lock your state for all operations that could write state. This prevents others from acquiring the lock and potentially corrupting your state.
State locking happens automatically on all operations that could write state. You won’t see any message that it is happening. If state locking fails, Terraform will not continue.

171
Q

Does Terraform continue if state locking fails?

A

No.

If state locking fails, Terraform will not continue.

172
Q

Can you disable state locking?

A

Yes.

You can disable state locking for most commands with the -lock flag but it is not recommended.

173
Q

What are the types of Backend?

A

Standard: State management, functionality covered in State Storage & Locking
Enhanced: Everything in standard plus remote operations.

174
Q

What are remote Backends?

A

Remote backends allow Terraform to use a shared storage space for state data, so any member of your team can use Terraform to manage the same infrastructure.

175
Q

What is the benefit of using remote backend?

A

Remote state storage makes collaboration easier and keeps state and secret information off your local disk.
Remote state is loaded only in memory when it is used.

176
Q

If you want to switch from using remote backend to local backend. What should you do?

A

If you want to move back to local state, you can remove the backend configuration block from your configuration and run terraform init again.
Terraform will once again ask if you want to migrate your state back to local.

177
Q

What does the command refresh do?

A

The terraform refresh command is used to reconcile the state Terraform knows about (via its state file) with the real-world infrastructure.
This can be used to detect any drift from the last-known state, and to update the state file.

178
Q

Does the command refresh modify the infrastructure?

A

The command refresh does not modify infrastructure, but does modify the state file.
If the state is changed, this may cause changes to occur during the next plan or apply.

179
Q

How do you backup the state to the remote backend?

A
  1. When configuring a backend for the first time (moving from no defined backend to explicitly configuring one), Terraform will give you the option to migrate your state to the new backend. This lets you adopt backends without losing any existing state.
  2. To be extra careful, we always recommend manually backing up your state as well. You can do this by simply copying your terraform.tfstate file to another location.
180
Q

What is a partial configuration in terms of configuring Backends?

A

You do not need to specify every required argument in the backend configuration. Omitting certain arguments may be desirable to avoid storing secrets, such as access keys, within the main configuration. When some or all of the arguments are omitted, we call this a partial configuration.

181
Q

What are the ways to provide remaining arguments when using partial configuration?

A

Interactively: Terraform will interactively ask you for the required values, unless interactive input is disabled. Terraform will not prompt for optional values.
File: A configuration file may be specified via the init command line. To specify a file, use the -backend-config=PATH option when running terraform init. If the file contains secrets it may be kept in a secure data store, such as Vault, in which case it must be downloaded to the local disk before running Terraform.
Command-line key/value pairs: Key/value pairs can be specified via the init command line. Note that many shells retain command-line flags in a history file, so this isn’t recommended for secrets. To specify a single key/value pair, use the -backend-config=”KEY=VALUE” option when running terraform init.
https://www.terraform.io/docs/backends/config.html

182
Q

What is the basic requirement when using partial configuration?

A

What is the basic requirement when using partial configuration?

183
Q

Give an example of passing partial configuration with Command-line Key/Value pairs?

A

terraform init \

- backend-config="address=demo.consul.io" \
- backend-config="path=example_app/terraform_state" \
- backend-config="scheme=https"
184
Q

How to unconfigure a backend?

A

If you no longer want to use any backend, you can simply remove the configuration from the file. Terraform will detect this like any other change and prompt you to reinitialize.
As part of the reinitialization, Terraform will ask if you’d like to migrate your state back down to normal local state. Once this is complete then Terraform is back to behaving as it does by default.

185
Q

How do you encrypt sensitive data in the state?

A

Terraform Cloud always encrypts state at rest and protects it with TLS in transit. Terraform Cloud also knows the identity of the user requesting state and maintains a history of state changes. This can be used to control access and track activity. Terraform Enterprise also supports detailed audit logging.
The S3 backend supports encryption at rest when the encrypt option is enabled. IAM policies and logging can be used to identify any invalid access. Requests for the state go over a TLS connection.

186
Q

Backends are completely optional. Is this true?

A

Backends are completely optional. You can successfully use Terraform without ever having to learn or use backends. However, they do solve pain points that afflict teams at a certain scale. If you’re an individual, you can likely get away with never using backends.

187
Q

What are the benefits of Backends?

A

Working in a team: Backends can store their state remotely and protect that state with locks to prevent corruption. Some backends such as Terraform Cloud even automatically store a history of all state revisions.
Keeping sensitive information off disk: State is retrieved from backends on demand and only stored in memory. If you’re using a backend such as Amazon S3, the only location the state ever is persisted is in S3.
Remote operations: For larger infrastructures or certain changes, terraform apply can take a long, long time. Some backends support remote operations which enable the operation to execute remotely. You can then turn off your computer and your operation will still complete. Paired with remote state storage and locking above, this also helps in team environments.

188
Q

Why should you be very careful with the Force unlocking the state?

A

Terraform has a force-unlock command to manually unlock the state if unlocking failed.
Be very careful with this command. If you unlock the state when someone else is holding the lock it could cause multiple writers. Force unlock should only be used to unlock your own lock in the situation where automatic unlocking failed.
To protect you, the force-unlock command requires a unique lock ID. Terraform will output this lock ID if unlocking fails. This lock ID acts as a nonce, ensuring that locks and unlocks target the correct lock.

189
Q

You should only use force unlock command when automatic unlocking fails. Is this true?

A

True

190
Q

How do you define a variable?

A

variable “region” {
default = “us-east-1”
}
This defines the region variable within your Terraform configuration.

191
Q

How do you access the variable in the configuration?

A
// accessing a variable
provider "aws" {
  region = var.region
}
192
Q

How many ways you can assign variables in the configuration?

A
Command-line flags
terraform apply -var 'region=us-east-1'
From a file
To persist variable values, create a file and assign variables within this file. Create a file named terraform.tfvars with the following contents:
region = "us-east-1"
terraform apply \
  -var-file="secret.tfvars" \
  -var-file="production.tfvars"
From environment varibles
Terraform will read environment variables in the form of TF_VAR_name to find the value for a variable. For example, the TF_VAR_region variable can be set in the shell to set the region variable in Terraform.
UI input
If you execute terraform apply with any variable unspecified, Terraform will ask you to input the values interactively. These values are not saved, but this provides a convenient workflow when getting started with Terraform. UI input is not recommended for everyday use of Terraform.
193
Q

Does environment variables support List and map types?

A

No
Environment variables can only populate string-type variables. List and map type variables must be populated via one of the other mechanisms.

194
Q

How do you provision infrastructure in a staging environment or a production environment using the same Terraform configuration?

A
You can use different varible files with the same configuration
// Example
// For development
terraform apply -var-file="dev.tfvars"
// For test
terraform apply -var-file="test.tfvars"
195
Q

How do you assign default values to variables?

A

If no value is assigned to a variable via any of these methods and the variable has a default key in its declaration, that value will be used for the variable.
variable “region” {
default = “us-east-1”
}

196
Q

What are the data types for the variables?

A
string
number
bool
list()
set()
map()
object({ = , ... })
tuple([, ...])
197
Q

Give an example of data type List variables?

A
Lists are defined either explicitly or implicitly.
variable "availability_zone_names" {
  type    = list(string)
  default = ["us-west-1a"]
}
198
Q

Give an example of data type Map variables?

A
variable "region" {}
variable "amis" {
  type = map(string)
}
amis = {
  "us-east-1" = "ami-abc123"
  "us-west-2" = "ami-def456"
}
// accessing
resource "aws_instance" "example" {
  ami           = var.amis[var.region]
  instance_type = "t2.micro"
}
199
Q

What is the Variable Definition Precedence?

A

The above mechanisms for setting variables can be used together in any combination. If the same variable is assigned multiple values, Terraform uses the last value it finds, overriding any previous values. Note that the same variable cannot be assigned multiple values within a single source.
Terraform loads variables in the following order, with later sources taking precedence over earlier ones:
* Environment variables
* The terraform.tfvars file, if present.
* The terraform.tfvars.json file, if present.
* Any *.auto.tfvars or *.auto.tfvars.json files, processed in lexical order of their filenames.
* Any -var and -var-file options on the command line, in the order they are provided. (This includes variables set by a Terraform Cloud workspace.)

200
Q

What are the output variables?

A

output variables as a way to organize data to be easily queried and shown back to the Terraform user.
Outputs are a way to tell Terraform what data is important. This data is outputted when apply is called, and can be queried using the terraform output command.

201
Q

How do you define an output variable?

A

output “ip” {
value = aws_eip.ip.public_ip
}
Multiple output blocks can be defined to specify multiple output variables.

202
Q

How do you view outputs and queries them?

A

You will see the output when you run the following command
terraform apply
You can query the output with the following command
terraform output ip

203
Q

What are the dynamic blocks?

A

some resource types include repeatable nested blocks in their arguments, which do not accept expressions
You can dynamically construct repeatable nested blocks like setting using a special dynamic block type, which is supported inside resource, data, provider, and provisioner blocks:
A dynamic block acts much like a for expression, but produces nested blocks instead of a complex typed value. It iterates over a given complex value, and generates a nested block for each element of that complex value.
https://www.terraform.io/docs/configuration/expressions.html#dynamic-blocks

resource “aws_elastic_beanstalk_environment” “tfenvtest” {
name = “tf-test-name”
application = “${aws_elastic_beanstalk_application.tftest.name}”
solution_stack_name = “64bit Amazon Linux 2018.03 v2.11.4 running Go 1.12.6”

  dynamic "setting" {
    for_each = var.settings
    content {
      namespace = setting.value["namespace"]
      name = setting.value["name"]
      value = setting.value["value"]
    }
  }
}
204
Q

What are the best practices for dynamic blocks?

A

Overuse of dynamic blocks can make configuration hard to read and maintain, so we recommend using them only when you need to hide details in order to build a clean user interface for a re-usable module.
Always write nested blocks out literally where possible.

205
Q

What are the Built-in Functions?

A

The Terraform language includes a number of built-in functions that you can call from within expressions to transform and combine values.
max(5, 12, 9)

206
Q

Does Terraform language support user-defined functions?

A

No
The Terraform language does not support user-defined functions, and so only the functions built in to the language are available for use.

207
Q

What is the built-in function to change string to a number?

A

parseint parses the given string as a representation of an integer in the specified base and returns the resulting number. The base must be between 2 and 62 inclusive.
> parseint(“100”, 10)
100
More Number Functions here
https://www.terraform.io/docs/configuration/functions/abs.html

208
Q

What is the built-in function to evaluates given expression and returns a boolean whether the expression produced a result without any errors?

A

can
condition = can(formatdate(“”, var.timestamp))
https://www.terraform.io/docs/configuration/functions/can.html

209
Q

What is the built-in function to evaluates all of its argument expressions in turn and returns the result of the first one that does not produce any errors?

A
try
locals {
  example = try(
    [tostring(var.example)],
    tolist(var.example),
  )
}
210
Q

What is Resource Address?

A
A Resource Address is a string that references a specific resource in a larger infrastructure. An address is made up of two parts:
[module path][resource spec]
211
Q

What is the Module path?

A
A module path addresses a module within the tree of modules. It takes the form:
module.A.module.B.module.C...
Multiple modules in a path indicate nesting. If a module path is specified without a resource spec, the address applies to every resource within the module. If the module path is omitted, this addresses the root module.
212
Q

What is the Resource spec?

A

A resource spec addresses a specific resource in the config. It takes the form:
resource_type.resource_name[resource index]
* resource_type - Type of the resource being addressed.
* resource_name - User-defined name of the resource.
* [resource index] - an optional index into a resource with multiple instances, surrounded by square brace characters ([ and ]).
// Examples
resource “aws_instance” “web” {
# …
count = 4
}
aws_instance.web[3] // Refers to only last instance
aws_instance.web // Refers to all four “web” instances.
resource “aws_instance” “web” {
# …
for_each = {
“terraform”: “value1”,
“resource”: “value2”,
“indexing”: “value3”,
“example”: “value4”,
}
}
aws_instance.web[“example”] // Refers to only the “example” instance in the config.

213
Q

What are complex types and what are the collection types Terraform supports?

A
A complex type is a type that groups multiple values into a single value.
There are two categories of complex types: 
collection types (for grouping similar values)
* list(...): a sequence of values identified by consecutive whole numbers starting with zero.
* map(...): a collection of values where each is identified by a string label.
* set(...): a collection of unique values that do not have any secondary identifiers or ordering.
structural types (for grouping potentially dissimilar values).
* object(...): a collection of named attributes that each have their own type.
* tuple(...): a sequence of elements identified by consecutive whole numbers starting with zero, where each element has its own type.
214
Q

What are the named values available and how do we refer to?

A

Terraform makes several kinds of named values available. Each of these names is an expression that references the associated value; you can use them as standalone expressions, or combine them with other expressions to compute new values.

  • . is an object representing a managed resource of the given type and name. The attributes of the resource can be accessed using dot or square bracket notation.
  • var. is the value of the input variable of the given name.
  • local. is the value of the local value of the given name.
  • module.. is the value of the specified output value from a child module called by the current module.
  • data.. is an object representing a data resource of the given data source type and name. If the resource has the count argument set, the value is a list of objects representing its instances. If the resource has the for_each argument set, the value is a map of objects representing its instances.
  • path.module is the filesystem path of the module where the expression is placed.
  • path.root is the filesystem path of the root module of the configuration.
  • path.cwd is the filesystem path of the current working directory. In normal use of Terraform this is the same as path.root, but some advanced uses of Terraform run it from a directory other than the root module directory, causing these paths to be different.
  • terraform.workspace is the name of the currently selected workspace.
215
Q

What is the built-in function that reads the contents of a file at the given path and returns them as a base64-encoded string?

A

filebase64(path)

https://www.terraform.io/docs/configuration/functions/filebase64.html

216
Q

What is the built-in function that converts a timestamp into a different time format?

A

formatdate(spec, timestamp)

https://www.terraform.io/docs/configuration/functions/formatdate.html

217
Q

What is the built-in function encodes a given value to a string using JSON syntax?

A

jsonencode({“hello”=”world”})

https://www.terraform.io/docs/configuration/functions/jsonencode.html

218
Q

What is the built-in function that calculates a full host IP address for a given host number within a given IP network address prefix?

A

What is the built-in function that calculates a full host IP address for a given host number within a given IP network address prefix?

219
Q
  1. What is Sentinel?
A

Sentinel is an embedded policy-as-code framework integrated with the HashiCorp Enterprise products. It enables fine-grained, logic-based policy decisions, and can be extended to use information from external sources.

220
Q

What is the benefit of Sentinel?

A

Codifying policy removes the need for ticketing queues, without sacrificing enforcement.
One of the other benefits of Sentinel is that it also has a full testing framework.
Avoiding a ticketing workflow allows organizations to provide more self-service capabilities and end-to-end automation, minimizing the friction for developers and operators.
https://www.hashicorp.com/blog/why-policy-as-code/

221
Q

What is the Private Module Registry?

A

Terraform Cloud’s private module registry helps you share Terraform modules across your organization. It includes support for module versioning, a searchable and filterable list of available modules, and a configuration designer to help you build new workspaces faster.

222
Q

What is the difference between public and private module registries when defined source?

A
The public registry uses a three-part // format
private modules use a four-part /// format
// example
module "vpc" {
  source  = "app.terraform.io/example_corp/vpc/aws"
  version = "1.0.4"
}
223
Q

Where is the Terraform Module Registry available at?

A

https://registry.terraform.io/

224
Q

What is a workspace?

A

A workspace contains everything Terraform needs to manage a given collection of infrastructure, and separate workspaces function like completely separate working directories.

225
Q

you are configuring a remote backend in the terraform cloud. You didn’t create an organization before you do terraform init. Does it work?

A

While the organization defined in the backend stanza must already exist,

226
Q

You are configuring a remote backend in the terraform cloud. You didn’t create a workspace before you do terraform init. Does it work?

A

Terraform Cloud will create it if necessary. If you opt to use a workspace that already exists, the workspace must not have any existing states.

227
Q

Terraform workspaces when you are working with CLI and Terraform workspaces in the Terraform cloud. Is this correct?

A

If you are familiar with running Terraform using the CLI, you may have used Terraform workspaces. Terraform Cloud workspaces behave differently than Terraform CLI workspaces. Terraform CLI workspaces allow multiple state files to exist within a single directory, enabling you to use one configuration for multiple environments. Terraform Cloud workspaces contain everything needed to manage a given set of infrastructure, and function like separate working directories.

228
Q

How do you authenticate the CLI with the terraform cloud?

A

Newer Versions:
1. terraform login
2. it will open the terraform cloud and generate the token
3. paste that token back in the CLI
https://learn.hashicorp.com/terraform/tfc/tfc_login
Older versions:
keep the following token in the CLI configuration file
credentials “app.terraform.io” {
token = “xxxxxx.atlasv1.zzzzzzzzzzzzz”
}
https://www.terraform.io/docs/commands/cli-config.html#credentials

229
Q

you are building infrastructure on your local machine and you changed your backend to remote backend with the Terraform cloud. What should you do to migrate the state to the remote backend?

A

terraform init
Once you have authenticated the remote backend, you’re ready to migrate your local state file to Terraform Cloud. To begin the migration, reinitialize. This causes Terraform to recognize your changed backend configuration.
During reinitialization, Terraform presents a prompt saying that it will copy the state file to the new backend. Enter “yes” and Terraform will migrate the state from your local machine to Terraform Cloud.
https://learn.hashicorp.com/terraform/tfc/tfc_migration#migrate-the-state-file

230
Q

How do you configure remote backend with the terraform cloud?

A
You need to configure in the terraform block
terraform {
  backend "remote" {
    hostname      = "app.terraform.io"
    organization  = ""
    workspaces {
      name = "state-migration"
    }
  }
}
231
Q

What is Run Triggers?

A

Terraform Cloud’s run triggers allow you to link workspaces so that a successful apply in a source workspace will queue a run in the workspace linked to it with a run trigger.
For example, adding new subnets to your network configuration could trigger an update to your application configuration to rebalance servers across the new subnets.

232
Q

What is the benefit of Run Triggers?

A

When managing complex infrastructure with Terraform Cloud, organizing your configuration into different workspaces helps you to better manage and design your infrastructure.
Configuring run triggers between workspaces allows you to set up infrastructure pipelines as part of your overall deployment strategy.

233
Q

What are the available permissions that terraform clouds can have?

A

Terraform Cloud teams can have read, plan, write, or admin permissions on individual workspaces.

234
Q

Who can grant permissions on the workspaces?

A

Organization owners grant permissions by grouping users into teams and giving those teams priviliges based on their need for access to individual workspaces.

235
Q

Which plan do you need to manage teams on Terraform cloud?

A

Team Plan

236
Q

How can you add users to an organization?

A

You can add users to an organization by inviting them using their email address.
Even if your team member has not signed up for Terraform Cloud yet, they can still accept the invitation and create a new account.

237
Q

The Terraform Cloud Team plan charges you on a per-user basis. Is this true?

A

Yes. The Terraform Cloud Team plan is charged on a per-user basis so adding new users to your organization incurs cost.