The program “is about giving back to the community beyond your day job”.
One way I give back is by posting new and unique content here once or twice a month. Sometimes a post is simply me clearing a thought before the weekend, completing a commitment to a BU, or documenting something before moving on to another task. It doesn’t take long, but could open the door for one of my peers.
My most frequently used benefit is the vExpert and Cloud Management Slack channels. I normally learn something new every-week. And it sure does feel good to help a peer struggling with something I’ve already tinkered with.
Here’s a list of some of the benefits for receiving the award.
Networking with 2,000+ vExperts / Information Sharing
Knowledge Expansion on VMware & Partner Technology
Opportunity to apply for vExpert BU Lead Subprograms
Possible Job Opportunities
Direct Access to VMware Business Units via Subprograms
Blog Traffic Boost through Advocacy, @vExpert, @VMware, VMware Launch & Announcement Campaigns
1 Year VMware Licenses for Home Labs for almost all Products & Some Partner Products
Private VMware & VMware Partner Sessions
Gifts from VMware and VMware Partners
vExpert Celebration Parties at both VMworld US and VMworld Europe with VMware CEO, Pat Gelsinger
VMware Advocacy Platform Invite (share your content to thousands of vExperts & VMware employees who amplify your content via their social channels)
Private Slack Channels for vExpert and the BU Lead Subprograms
The applications close on January 9th, 2021. Start working on those applications now.
First off, I found the built in Code Stream REST tasks do not have a retry. I learned this the hard way when they had issues with their cloud offering last month. At times it would get a 500 error back when making a request, resulting in a failed execution.
This forced me to look at Python custom integrations which would retry until the correct success code was returned. I was able to get the pipeline working, but it did have a lot of repetitive code, lacked the ability to limit the number of retries, and was based on Python 2.
Seeing the error of my ways, I decided to again refactor the code with a custom module (For the repetitive code), and migrate to Python 3.
The original docker image was CentOS based and did not have Python 3 installed. Instead of just installing Python 3 thus increasing the size of the image, I opted to start with the Docker Official Python 3 image. I’ll get to the build file later.
Now on to the actual refactoring. Here I wanted to combine the reused code into a custom python module. My REST calls include POST (To get a Bearer Token), GET (With and without a Filter), PATCH (To update Image Mappings), and DELETE (To delete the test Image Profile and Cloud Template).
This module snippet includes PostBearerToken_session which returns the bearToken and other headers. GetFilteredVrac_sessions returns a filtered GET request. It also limits the retries to 5 attempts.
import requests
import logging
import os
import json
from requests.adapters import HTTPAdapter
from requests.packages.urllib3.util.retry import Retry
# retry strategy to tolerate API errors. Will retry if the status_forcelist matches.
retry_strategy = Retry (
total=5,
status_forcelist=[429, 500, 502, 503, 504],
method_whitelist=["GET", "POST"],
backoff_factor=2,
raise_on_status=True,
)
adapter = HTTPAdapter(max_retries=retry_strategy)
https = requests.Session()
https.mount("https://", adapter)
vRacUrl = "https://api.mgmt.cloud.vmware.com"
def PostBearerToken_session(refreshToken):
# Post to get the bearerToken from refreshToken
# Will return the headers with Authorization populated
# Build post payload
pl = {}
pl['refreshToken'] = refreshToken.replace('\n', '')
logging.info('payload is ' + json.dumps(pl))
loginURL = vRacUrl + "/iaas/api/login"
headers = {
"Accept": "application/json",
"Content-Type": "application/json"
}
r = https.post(loginURL, json=pl, headers=headers)
responseJson = r.json()
token = "Bearer " + responseJson["token"]
headers['Authorization']=token
return headers
def GetFilteredVrac_sessions(requestUrl, headers, requestFilter):
# Get a thing using a filter
requestUrl = vRacUrl + requestUrl + requestFilter
print(requestUrl)
adapter = HTTPAdapter(max_retries=retry_strategy)
https = requests.Session()
https.mount("https://", adapter)
r = https.get(requestUrl, headers=headers)
responseJson = r.json()
return responseJson
Here is the working Code Stream Custom Integration used to test this module. It will get the headers, then send a filtered request using the Cloud Account Name. It then pulls some information out of the Payload and prints it out. (Sorry for formatting).
runtime: "python3"
code: |
import json
import requests
import os
import sys
import logging
# append /build to the path
# this is where the custom python module is copied to
sys.path.append('/build')
import vRAC
# context.py is automatically added.
from context import getInput, setOutput
def main():
def main():
refreshToken=getInput('RefreshToken')
# now with new model
# authHeaders will have all of the required headers, including the bearerToken
authHeaders=vRAC.PostBearerToken_session(refreshToken)
# test the getFunction with filter
requestUrl = "/iaas/api/cloud-accounts"
requestFilter = "?$filter=name eq '" + getInput('cloudAccountName') + "'"
# get the cloudAccount by name
cloudAccountJson=vRAC.GetFilteredVrac_sessions(requestUrl, authHeaders, requestFilter)
# get some specific data out for later
cloudAccountId = cloudAccountJson['content'][0]['id']
logging.info('cloudAccountId: ' + cloudAccountId)
if name == 'main':
main()
inputProperties: # Enter fields for input section of a task
# Password input
- name: RefreshToken
type: text
title: vRAC Refresh Token
placeHolder: 'secret/password field'
defaultValue: changeMe
required: true
bindable: true
labelMessage: vRAC RefreshToken
- name: cloudAccountName
type: text
title: Cloud Account Name
placeHolder: vc.corp.local
defaultValue: vc.corp.local
required: true
bindable: true
labelMessage: Cloud Account Name
Next the new Docker image. This uses the official Python 3 image as a starting point. The build file copies everything over (Including the custom module and requirements.txt), then installs ‘requests’.
FROM python:3
WORKDIR /build
COPY . ./
RUN pip install --no-cache-dir -r requirements.txt
Now that the frame work is ready, it’s time to create the pipeline and test it. This is well documented here Creating and using pipelines in VMware Code Stream. Update the Host field with your predefined Docker Host, set the Builder image URL (Docker Hub repo and tag), and set the Working directory to ‘/build’ (to match WORKDIR in the Dockerfile).
Running the pipeline worked and returned the requested information.
This was a fairly brief article. I really just wanted to get everything written down before the weekend. I’ll have more in the near future.
First off, the Image Mappings shown in the UI cannot be updated via the API directly. The API allows you create, change and delete Image Profiles. An Image Profile contains the Image Mappings and is tied to a Region.
For example, in this image the IaC Image Mappings are displayed.
Here, some of same Image Mappings as seen when you GET the Image Profile by id.
{ "imageMapping": { "mapping": { "IaC-build-test-patch": { "id": "8fc331632163f53fd0c66e0407495504295b4c1c", "name": "", "description": "Template: vSphere-CentOS8-CUSTOM-2020.09.25.181019" }, "IaC-prod-profile": { "id": "2e2d31be93c59531d2c1eeeadc58f68b66174559", "name": "", "description": "Template: vSphere-CentOS8-CUSTOM-2020.09.25.144314" }, "IaC-test-profile": { "id": "842c91f05185978d62d201df3b47d1505cf3fea3", "name": "", "description": "Generic CentOS 7 template with cloud-init installed and VM hardware version 13 (compatible with ESXi 6.5 or greater)." } } }, "regionId": "71cecc477594a67558b9d5xxxxxxx", "name": "IaC-build-test-profile", "description": "Packer build image for testing" }
But how do you get the Image Profile Id? I ended up using a filter based on the externalRegionId (I used another filtered search to find the externalRegionId by Region Name).
Then using cloudAccountJson returned previously, I built a new body using the following (partial) code (I couldn’t get the formatting right, hence the image.)
Now some gotcha’s.
First, remember that the image mappings are tied to the region. You will loose any Image Mappings NOT included in the POST/PATCH Body. Make sure you back up the Image Profile settings (Do a get by Image Profile Id) before attempting to change the mappings via the API.
Secondly, an Image Profile does not have a name by default. You need to set this via the API. Why would you need it? Well you may want to find the Image Profile by name later. My current customer creates new customer Image Profiles via the API and uses a ‘tag’ like naming convention.
Thirdly, I’ve experienced several 500 errors when interfacing with the vRA Cloud API. The out of box Code Stream REST tasks do not retry. I ended up writing python custom integrations as a work around. These retry until receiving the correct response code (I’ve seen up to 15 500 errors before getting a 200).
This is just one thing I’ve learned about the vRA Cloud API, and Code Stream. I’ll post more as I have time.
One of the common use cases I see is having the ability to optionally add disks to a machine in vRealize Automation Cloud.
For example, one requester may just want a basic machine with just the OS disk, while another may want several to support SQL Server.
In this article I’ll show you how to add up to four additional disks using an undocumented vRA Cloud function. The other available functions are listed on this VMware documentation page.
Now down to details. What we need to do is create some property bindings for the optional disks, then attach them to the machine using ‘map_to_object’. The grey dashed lines indicate an implicit or property binding in the canvas. Additional information about this kind of bind is available at this VMware documentation page.
Implicit or property bindings
Four inputs are needed, one for each disk. Each disk that is NOT zero size will be created for the machine.
formatVersion: 1
name: Optional disks
version: 1
inputs:
hostname:
type: string
default: changeme
description: Desired hostname
password:
type: string
encrypted: true
default: Password1234@$
description: Desired password for the local administrator
ipAddress:
type: string
default: 10.10.10.10
description: Desired IP Address
disk1Size:
type: integer
default: 5
description: A SIZE of 0 will disable the disk and it will not be provisioned.
disk2Size:
type: integer
default: 10
description: A SIZE of 0 will disable the disk and it will not be provisioned.
disk3Size:
type: integer
default: 15
description: A SIZE of 0 will disable the disk and it will not be provisioned.
disk4Size:
type: integer
default: 20
description: A SIZE of 0 will disable the disk and it will not be provisioned.
resources:
Cloud_Machine_1:
type: Cloud.Machine
properties:
name: '${input.hostname}'
image: Windows 2019
flavor: generic.medium
remoteAccess:
authentication: usernamePassword
username: Administrator
password: '${input.password}'
resourceGroupName: '${env.projectName}'
attachedDisks: '${map_to_object(resource.Cloud_Volume_1[*].id + resource.Cloud_Volume_2[*].id + resource.Cloud_Volume_3[*].id + resource.Cloud_Volume_4[*].id, "source")}'
networks:
- network: '${resource.Cloud_Network_1.id}'
assignment: static
address: '${input.ipAddress}'
Cloud_Volume_1:
type: Cloud.Volume
properties:
count: '${input.disk1Size == 0 ? 0 : 1 }'
capacityGb: '${input.disk1Size}'
Cloud_Network_1:
type: Cloud.Network
properties:
networkType: existing
constraints:
- tag: 'network:vsanready_vlan_14'
Cloud_Volume_2:
type: Cloud.Volume
properties:
count: '${input.disk2Size == 0 ? 0 : 1}'
capacityGb: '${input.disk2Size}'
Cloud_Volume_3:
type: Cloud.Volume
properties:
count: '${input.disk3Size == 0 ? 0 : 1 }'
capacityGb: '${input.disk3Size}'
Cloud_Volume_4:
type: Cloud.Volume
properties:
count: '${input.disk4Size == 0 ? 0 : 1}'
capacityGb: '${input.disk4Size}'
Now to test it. I’ll deploy a machine with four additional disks. Here is the request form with the default disk sizes.
After deploying the machines, you may find the disks did not get added in order. This is known issue. The offshore developers told me ordered addition of disks is not supported at this point (July 2020). Here is a screen shot of the deployed machines. Notice the order, they are not the same as my request.
Out of order disks
In mid July 2020 they released a new vRA Cloud version with additional data for the block-devices. At the time writing this article, the new properties were not included in the block-device model in the API documentation.
As you can see they provide the controller number (controllerKey), unit number (controllerUnitNumber), and the provider generated unique identifier (providerUniqueIdentifier).
The idea was to provide this information for those organizations wishing to reorder the disks or even move them to new disk controllers to support their various server deployments.
These additional properties may make into the next version of vRA 8. But who knows what makes the cut.
The current implementation of vRealize Automation Cloud and Git integration for Blueprint is read only. Meaning you download the new Blueprint version into a local repo the push it. After a few minutes vRA Cloud will see the new version and update the design page. It’s really a pain if you know what I mean.
What I really wanted was to automatically push the new or updated Blueprint when a new version is created.
The following details one potential solution using vRA Cloud ABX actions in a flow on Lambda.
The flow consists of three parts.
Retrieve a vRA Cloud refresh token from an AWS Systems Manager Parameter, then get a refresh token (get_bearer_token_AWS). It returns the bearer token as ‘bearer_token’.
Get Blueprint Version Content. This uses ‘bearer_token’ to get the new Blueprint Version payload and return it as ‘bp_version_content’.
Then Add or Update Blueprint on Github. This action converts the ‘bp_version_content’ from JSON into YAML. It also adds or updates the two required properties, ‘name’ and ‘version’. Both values come from the content retrieved from step two. It also clones the repo, checks to see if the blueprint exists. Then it either creates a Blueprint folder with blueprint.yaml, or updates an existing blueprint.yaml.
The vRA Cloud Refresh Token and Github API key are stored in an AWS SSM Parameter. Please take a look at one of my previous articles on how to set this up.
‘get_bearer_token_AWS’ has two inputs. region_name is the AWS region, and refreshToken is the SSM Parameter containing the vRA Cloud refresh token.
Action 2 (Blueprint Version Content) uses the bearer token returned by Action 1 to get the blueprint version content.
The final action, consumes the blueprint content returned by action 2. It has three inputs, githubRepo is the repo configured in your github project, githubToken is the SSM Parameter holding the Github key, and finally region_name is the AWS region where the Parameter is configured.
Create a new Blueprint version configuration subscription, using the flow as the target action, and filtering the event to “‘event.data.eventType == ‘CREATE_BLUEPRINT_VERSION'”.
Now to test the solution. Here I have a very basic blueprint. Make sure you add the name and version properties. The name value should match the actual blueprint name. Now create a new Version. Then wait until Github does another inventory.
You may notice the versioned Blueprint will show up a second time, now being managed by Github. I think vRA Cloud is adding the discovered blueprints on Github with a new Blueprint ID. The fix is pretty easy, just delete the original blueprint after making sure the imported one still works.
The flow bundle containing all of the actions is available in this repository.
One common integration use case is to securely store passwords and tokens. In this article I’ll show you how to recover and decrypt an AWS Systems Manager (SSM) Parameter (vRAC Cloud Refresh Token), make a vRA Cloud API call to claim a bearer token, and finally return the deployment name from a second vRA Cloud API call.
I’m not going to discuss how to get the API Token. Detailed instructions are available in this VMware Blog.
I’ll store this token in an AWS SSM Parameter called VRAC_REFRESH_TOKEN as a secure string. Again this is really beyond the scope of this article. Please refer to AWS Systems Manager Parameter Store page for more information.
The following action will need access to this new Parameter. Here I’m creating a new role named blog-ssm-sample-role. I used an inline policy to allow access to every Parameter using these settings.
You will most likely want to be more granular in a production environment. This role will also need the AWSLambdaBasicExecutionRole.
Now to start building the python ABX Action. This action uses two Default inputs, region_name and refreshToken. Then add requests and boto3 as dependancies. SSM is only available on AWS, so the FaaS Provider is set to Amazon Web Services. And finally set the IAM role to my sample role.
And now the function. It will grab the refresh token from the Parameter store, get a vRA bearer token, get the deployment name, which is returned when the function completes.
import json
import logging
import requests
import boto3
logger = logging.getLogger()
logger.setLevel(logging.INFO)
VRAC_API_URL = "https://api.mgmt.cloud.vmware.com"
def handler(context, inputs):
'''
Get secrets
'''
vrac_refresh_token = get_secrets(inputs['region_name'],inputs['refreshToken'])
'''
get vRAC bearer_token
work around as the context does not contain auth information for this event
context.request is responding with Not authenticated
'''
bearer_token = get_vrac_bearer_token(vrac_refresh_token)
'''
Get the deployment name using deploymentId from inputs
'''
deployment_name = get_deployment_name(inputs,bearer_token)
outputs = {}
outputs['deploymentName'] = deployment_name
return outputs
def get_secrets(region,ssm_parameter):
# Create a Secrets Manager client
session = boto3.session.Session()
ssm = session.client(
service_name='ssm',
region_name=region)
parameterSecret = ssm.get_parameter(Name=ssm_parameter, WithDecryption=True)
return parameterSecret['Parameter']['Value']
def get_deployment_name(inputs, bearer_token):
url = VRAC_API_URL + "/deployment/api/deployments/" + inputs['deploymentId']
headers = {"Authorization": "Bearer " + bearer_token}
result = requests.get(url = url, headers=headers)
#logging.info(result)
result_data = result.json()
deployment_name = result_data["name"]
logging.info("### deployment name is %s ", deployment_name)
return deployment_name
def get_vrac_bearer_token(vrac_refresh_token):
url = VRAC_API_URL + "/iaas/api/login"
payload = { "refreshToken": vrac_refresh_token }
result = requests.post(url = url, json = payload)
result_data = result.json()
bearer_token = result_data["token"]
return bearer_token
Next request a new deployment, waiting until it completes. Then check the Action Run under Extensibility -> Action Runs. If all went as expected you should see the deployment name in the Details -> Outputs section.
This simple use case allows vRA Cloud ABX to recover and use secure data stored in an AWS SSM Parameter.
This is the second part of this series. In this article we will complete the configuration of the InfoBlox, then setup IPAM in vRealize Automation Cloud (vRAC). And finally deploy a two machine blueprint to test the Allocation and Deallocation Lambda functions.
The first thing is to add some attributes required by vRAC within InfoBlox. Click on Administration -> Extensible Attributes. Add the two attributes shown below.
VMware NIC index (lower case I), type Integer
VMware resource ID, type String
Click on the Add Button, type in the new Attribute name and Type, then click Save & Close. Then repeat for the other Attribute.
Next we need to set up an IPAM range. Here I’m going to create a small range in 172.31.32.0/16. Click on Data Management -> IPAM. Select List, then check the box next to 172.31.32.0/16.
Click Add -> Range -> IPv4.
Add the range following these steps.
Step 1, Next
Step 2, Enter the range start/end and Range name. Then Next.
Now to add the endpoint in vRAC. Click on Infrastructure -> ADD INTEGRATION. Then click on IPAM.
Click on MANAGE IPAM PROVIDERS.
Then IMPORT PROVIDER PACKAGE, then select the package you downloaded earlier.
The import will take a few minutes. Next select Infoblox from the Provider drop-down box.
Give the Integration a name, select your Running Environment (Cloud Account), Username, Password, and Hostname (IP or hostname. Example 10.10.10.10 or myipam.corp.local. Do not append HTTPS). Then check the box next to Infoblox.IPAM.DisableCertificateCheck. Then the pencil to edit.
Change Value to True to disable the certificate check.
Next Validate the connection and Save it.
Next assign the IPAM range to a vRAC network.
Goto Infrastructure -> Networks, then select the network hosting 172.31.32.0/16. Click the box to the left, then MANAGE IP RANGES.
Select External -> Your Provider -> and your Address space (default). Then check the network hosting your IPAM Range.
Add the network to an existing or new Network Profile.
Now it’s time to test the integration. Here I have a blueprint with two machines. The first will get the next available IP out of the Range (172.31.32.10). The second will be assigned the user requested IP of 172.31.32.20.
formatVersion: 1
inputs: {}
resources:
Cloud_Network_1:
type: Cloud.Network
properties:
networkType: existing
name: ipam
constraints:
- tag: 'ipam:infoblox_aws'
Cloud_Machine_1:
type: Cloud.Machine
properties:
image: Ubuntu 18.04 LTS
flavor: generic.tiny
remoteAccess:
authentication: keyPairName
keyPair: id_rsa
Infoblox.IPAM.Network.dnsSuffix: corp.local
# Infoblox.IPAM.createHostRecord: false
# Infoblox.IPAM.createAddressRecord: false
# Infoblox.IPAM.Network.enableDns: false
# Infoblox.IPAM.Network.dnsView: somethingElse
networks:
- network: '${resource.Cloud_Network_1.id}'
assignment: static
# will assign first available if address is not set
# address: 172.31.15.11
assignPublicIpAddress: false
Cloud_Machine_2:
type: Cloud.Machine
properties:
image: Ubuntu 18.04 LTS
flavor: generic.tiny
remoteAccess:
authentication: keyPairName
keyPair: id_rsa
Infoblox.IPAM.Network.dnsSuffix: corp.local
# Infoblox.IPAM.createHostRecord: false
# Infoblox.IPAM.createAddressRecord: false
# Infoblox.IPAM.Network.enableDns: false
# Infoblox.IPAM.Network.dnsView: somethingElse
networks:
- network: '${resource.Cloud_Network_1.id}'
assignment: static
# will assign first available if address is not set
address: 172.31.32.20
assignPublicIpAddress: false
Deploy the blueprint, then check to see if the Lambda function run. Click on Extensibility -> Action Runs, then change the run type to INTEGRATION RUNS. Then click on the first Infoblox_AllocateIP Action. The assigned IP will be in the Outputs section near the end of the JSON.
The next two articles will discuss how to setup InfoBlox for AWS as an IPAM provider to vRealize Automation Cloud (vRAC). InfoBlox will be hosted in AWS using a community AMI. I’ll be using the latest version (1.0) of the VMware InfoBlox vRA 8.x plugin available on the VMware Solution Exchange, and InfoBlox version 8.5.0 (Any version that supports WAPI v2.7 should work).
Two AWS accounts are needed, one for InfoBlox vDiscovery and the other for vRAC AWS Cloud Account.
First the InfoBlox vDiscovery user, create a role following the directions on page 35 of the vNIOS for AWS document. Then create a new user, and download the credentials.
Secondly, assuming you already have your AWS Cloud Account setup, add the following roles and permissions to your AWS vRAC user.
IAMReadOnlyAccess / AWS Managed Policy – Needed when adding the InfoBlox Integration
AWSLambdaBasicExecutionRole / AWS Managed Policy – Used by the plugin to run Lambda functions
IAM:PassRole / Inline policy – Needed when adding the InfoBlox Integration
Here is a screen shot of my working AWS Policy and Permissions for the vrac user account.
Now on to deploying the InfoBlox for AWS AMI. This deployment requires two subnets in the same availability zone. Detailed installation directions start on page 22 of the NVIOS for AWS document. Make sure to select one of the DDI BYOL AMI’s. I’m using ami-044c7a717e19bb001 for this blog. Here is a screen shot of the search of the community InfoBlox AMI’s.
Some notes on the AMI deployment. 1., Make sure the additional (new) interface is on a different subnet. The management interface (eth1) will need internet access. 2., Assign a Security Group which allows SSH from your local machine, and HTTPS from anywhere.
Take a 10 or 15 minute break as the instance boots and the Status Checks complete. You may use this time to assign an EIP to the ENI assigned to eth1. You can get the Interface ID by clicking on the instance eth1 interface under Instance Description and copying the Interface ID value (at the top of the popup).
Next assign a new or existing EIP to the Network Interface.
Take a 10 or 15 minute break as the instance boots and the Status Checks complete. SSH to the instance as admin with the default password of infoblox. Once logged in you will need to add some temporary licenses (Or permanent if you have them). Add the license options shown in this screen shot. When adding #4, select #2, IB-V825. This will force a reboot.
Give the appliance about 5 minutes before browsing to https://<EIP Address>. Login as admin with the default password of infoblox.
The first login will eventually send you the Grid Setup Wizard. My environment was setup using these settings.
Step 1, Configure as a Grid Master
Step 2, Changed the Shared Secret
Step 3, No changes
Step 4, Changed the password to something more complex than ‘infoblox’
Step 5, No changes
Step 6, Click Finish
Next enable the DNS Resolver in Grid Properties (Click on Grid, click Grid Properties, then add the DNS server under DNS Resolver.
Add a new Authoritative forward-mapping zone under Data Management -> DNS. I’m using corp.local for this article.
Then start the DNS server under Grid -> Grid Manager. Then click DNS, select the grid master, and click the start button.
Now on to discovering the VPC, Subnets and used IPs. Click on Data Management -> IPAM, then click on vDiscovery on the right hand side. I used the following settings.
Step 1, Job Name – AWS. Member infoblox.localdomain (assuming you left everything default when setting up the grid).
Step 2, Server Type – AWS, Service Endpoint – ec2.<region>.amazonaws.com, Access Key ID – <vDiscovery User Access Key>, Secret Access Key <vDiscovery Access Key>.
Step 3, no changes
Step 4, enable DNS host record creation. Set the computed DNS name to ${vm_name}
Step 5, Click Save & Close
Here is a screen shot of my settings for Step 4 (above).
Now to run the vDiscovery. Click the drop down arrow on Discovery and select vDiscovery Manager. Select the AWS Job, then click start.
Hopefully the job will complete in a few seconds (Assuming you have a small environment). My job ran fine and discovered the two VPC’s I have in my Region.
Drilling down into the first Subnet in my default VPC lists the addresses currently in use or reserved. Here I set the filter to show a Status equals used.
This should do for now. The next article will walk through the integration with vRAC, including the deployment of an AWS machine with defined IP, and one with the first available IP in a Range.
This is follow up to the previous article. A co-worker of mine came up with a better and much cleaner solution.
My original solution worked, but introduced a nasty deployment topology diagram. In effect it showed every SG as attached, even unused ones. This diagram is very misleading and doesn’t reflect the actual assignment of the Security Groups.
The new solution is much cleaner and more closely represents what the user actually requested. Here the two mandatory SG’s as well as the required role SG are attached.
The new conceptual code seemed logical, but vRAC just didn’t like it.
As you can see, there is more than one way to solve use cases with vRAC. The key sometimes is just to keep trying different options to get the results you want.