1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276
|
# Microsoft Azure Linux Agent
#
# Copyright 2018 Microsoft Corporation
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
#
#
# This module includes facilities to execute operations on virtual machines (list extensions, restart, etc).
#
import datetime
import functools
import time
from typing import Any, Callable, Dict, List
from azure.identity import DefaultAzureCredential
from msrestazure.azure_cloud import Cloud
from azure.mgmt.compute import ComputeManagementClient
from azure.mgmt.compute.models import VirtualMachineExtension, VirtualMachineInstanceView, VirtualMachine
from azure.mgmt.network import NetworkManagementClient
from azure.mgmt.network.models import NetworkInterface, PublicIPAddress
from azure.mgmt.resource import ResourceManagementClient
from azurelinuxagent.common.future import UTC
from tests_e2e.tests.lib.azure_clouds import AZURE_CLOUDS
from tests_e2e.tests.lib.azure_sdk_client import AzureSdkClient
from tests_e2e.tests.lib.logging import log
from tests_e2e.tests.lib.retry import execute_with_retry
from tests_e2e.tests.lib.shell import CommandError
from tests_e2e.tests.lib.ssh_client import SshClient
class VirtualMachineClient(AzureSdkClient):
"""
Provides operations on virtual machines (get instance view, update, restart, etc).
"""
def __init__(self, cloud: str, location: str, subscription: str, resource_group: str, name: str):
super().__init__()
self.cloud: str = cloud
self.location = location
self.subscription: str = subscription
self.resource_group: str = resource_group
self.name: str = name
self._compute_client = AzureSdkClient.create_client(ComputeManagementClient, cloud, subscription)
self._resource_client = AzureSdkClient.create_client(ResourceManagementClient, cloud, subscription)
self._network_client = AzureSdkClient.create_client(NetworkManagementClient, cloud, subscription)
def create_resource_manager_request(self, request: Callable, operation: str):
"""
Creates a partial function to invoke the given 'request' providing the 'url' and 'headers' arguments.
The URL corresponds to a Resource Manager HTTPS request on the current virtual machine; the 'operation' is appended
to the URL and can be used to, for example, specify a query string, or a particular API (e.g. "UpgradeVMAgent").
The 'request' callable must accept a 'url' and a 'headers' parameter (e.g. it can be one of the APIs in the requests
module, such as get or post.
"""
cloud: Cloud = AZURE_CLOUDS[self.cloud]
credential: DefaultAzureCredential = DefaultAzureCredential(authority=cloud.endpoints.active_directory)
token = credential.get_token(f"{cloud.endpoints.resource_manager}/.default")
url = f'{cloud.endpoints.resource_manager}/subscriptions/{self.subscription}/resourceGroups/{self.resource_group}/providers/Microsoft.Compute/virtualMachines/{self.name}/{operation}'
headers = {
'Content-Type': 'application/json',
'Authorization': f'Bearer {token.token}'
}
return functools.partial(request, url=url, headers=headers)
def get_ip_address(self) -> str:
"""
Retrieves the public IP address of the virtual machine
"""
vm_model = self.get_model()
nic: NetworkInterface = self._network_client.network_interfaces.get(
resource_group_name=self.resource_group,
network_interface_name=vm_model.network_profile.network_interfaces[0].id.split('/')[-1]) # the name of the interface is the last component of the id
public_ip: PublicIPAddress = self._network_client.public_ip_addresses.get(
resource_group_name=self.resource_group,
public_ip_address_name=nic.ip_configurations[0].public_ip_address.id.split('/')[-1]) # the name of the ip address is the last component of the id
return public_ip.ip_address
def get_private_ip_address(self) -> str:
"""
Retrieves the private IP address of the virtual machine
"""
vm_model = self.get_model()
nic: NetworkInterface = self._network_client.network_interfaces.get(
resource_group_name=self.resource_group,
network_interface_name=vm_model.network_profile.network_interfaces[0].id.split('/')[
-1]) # the name of the interface is the last component of the id
private_ip = nic.ip_configurations[0].private_ip_address
return private_ip
def get_model(self, include_instance_view: bool = False) -> VirtualMachine:
"""
Retrieves the model of the virtual machine.
"""
log.info("Retrieving VM model for %s", self)
kwargs = {
"resource_group_name": self.resource_group,
"vm_name": self.name
}
if include_instance_view:
kwargs["expand"] = "instanceView"
return execute_with_retry(lambda: self._compute_client.virtual_machines.get(**kwargs))
def get_instance_view(self) -> VirtualMachineInstanceView:
"""
Retrieves the instance view of the virtual machine
"""
log.info("Retrieving instance view for %s", self)
return execute_with_retry(lambda: self._compute_client.virtual_machines.get(
resource_group_name=self.resource_group,
vm_name=self.name,
expand="instanceView"
).instance_view)
def get_extensions(self) -> List[VirtualMachineExtension]:
"""
Retrieves the extensions installed on the virtual machine
"""
log.info("Retrieving extensions for %s", self)
return execute_with_retry(
lambda: self._compute_client.virtual_machine_extensions.list(
resource_group_name=self.resource_group,
vm_name=self.name))
def delete_all_extensions(self, timeout: int = AzureSdkClient._DEFAULT_TIMEOUT) -> None:
"""
Delete all extensions installed on the virtual machine
"""
extensions_to_delete = self.get_extensions().value
for ext in extensions_to_delete:
ext_name = ext.name
log.info(f"Deleting extension {ext_name} from {self.name}")
self._execute_async_operation(
lambda extension_name=ext_name: self._compute_client.virtual_machine_extensions.begin_delete(
self.resource_group,
self.name,
extension_name),
operation_name=f"Delete extension {ext_name}",
timeout=timeout)
def update(self, properties: Dict[str, Any], timeout: int = AzureSdkClient._DEFAULT_TIMEOUT) -> None:
"""
Updates a set of properties on the virtual machine
"""
# location is a required by begin_create_or_update, always add it
properties_copy = properties.copy()
properties_copy["location"] = self.location
log.info("Updating %s with properties: %s", self, properties_copy)
self._execute_async_operation(
lambda: self._compute_client.virtual_machines.begin_create_or_update(
self.resource_group,
self.name,
properties_copy),
operation_name=f"Update {self}",
timeout=timeout)
def reapply(self, timeout: int = AzureSdkClient._DEFAULT_TIMEOUT) -> None:
"""
Reapplies the goal state on the virtual machine
"""
self._execute_async_operation(
lambda: self._compute_client.virtual_machines.begin_reapply(self.resource_group, self.name),
operation_name=f"Reapply {self}",
timeout=timeout)
def restart(
self,
wait_for_boot,
ssh_client: SshClient = None,
boot_timeout: datetime.timedelta = datetime.timedelta(minutes=5),
timeout: int = AzureSdkClient._DEFAULT_TIMEOUT) -> None:
"""
Restarts (reboots) the virtual machine.
NOTES:
* If wait_for_boot is True, an SshClient must be provided in order to verify that the restart was successful.
* 'timeout' is the timeout for the restart operation itself, while 'boot_timeout' is the timeout for waiting
the boot to complete.
"""
if wait_for_boot and ssh_client is None:
raise ValueError("An SshClient must be provided if wait_for_boot is True")
before_restart = datetime.datetime.now(UTC)
self._execute_async_operation(
lambda: self._compute_client.virtual_machines.begin_restart(
resource_group_name=self.resource_group,
vm_name=self.name),
operation_name=f"Restart {self}",
timeout=timeout)
if not wait_for_boot:
return
start = datetime.datetime.now(UTC)
self._wait_for_status("PowerState/running", boot_timeout)
# self._wait_for_status() works by checking the instance view, and we may capture a view from before the reboot actually happened, so we verify
# that the reboot actually happened by checking the system's uptime.
while datetime.datetime.now(UTC) < start + boot_timeout:
log.info("Verifying VM's uptime to ensure the reboot has completed...")
try:
uptime = ssh_client.run_command("cat /proc/uptime | sed 's/ .*//'", attempts=1).rstrip() # The uptime is the first field in the file
log.info("Uptime: %s", uptime)
boot_time = datetime.datetime.now(UTC) - datetime.timedelta(seconds=float(uptime))
if boot_time > before_restart:
log.info("VM %s completed boot and is running. Boot time: %s", self, boot_time)
return
log.info("The VM has not rebooted yet. Restart time: %s. Boot time: %s", before_restart, boot_time)
except CommandError as e:
if (e.exit_code == 255 and ("Connection refused" in str(e) or "Connection timed out" in str(e))) or "Unprivileged users are not permitted to log in yet" in str(e):
log.info("VM %s is not yet accepting SSH connections", self)
else:
raise
time.sleep(10)
raise Exception(f"VM {self} did not boot after {boot_timeout}")
def start(self, start_timeout: datetime.timedelta = datetime.timedelta(minutes=5), timeout: int = AzureSdkClient._DEFAULT_TIMEOUT) -> None:
"""
Starts (allocates) the virtual machine.
"""
self._execute_async_operation(
lambda: self._compute_client.virtual_machines.begin_start(
resource_group_name=self.resource_group,
vm_name=self.name),
operation_name=f"Start {self}",
timeout=timeout)
self._wait_for_status("PowerState/running", start_timeout)
def deallocate(self, hibernate: bool = False, deallocate_timeout: datetime.timedelta = datetime.timedelta(minutes=5), timeout: int = AzureSdkClient._DEFAULT_TIMEOUT) -> None:
"""
Deallocates the virtual machine, optionally setting it up to hibernate.
"""
log.info("Deallocating %s [hibernate=%s]...", self, hibernate)
self._execute_async_operation(
lambda: self._compute_client.virtual_machines.begin_deallocate(
resource_group_name=self.resource_group,
vm_name=self.name,
hibernate=hibernate),
operation_name=f"Deallocate {self} [hibernate={hibernate}]",
timeout=timeout)
self._wait_for_status('HibernationState/Hibernated' if hibernate else 'PowerState/deallocated', deallocate_timeout)
def _wait_for_status(self, status: str, timeout: datetime.timedelta = datetime.timedelta(minutes=5)) -> None:
start = datetime.datetime.now(UTC)
while datetime.datetime.now(UTC) < start + timeout:
log.info("Waiting for Status to reach %s", status)
instance_view = self.get_instance_view()
statuses = [s.code for s in instance_view.statuses]
log.info("Current status: %s", statuses)
if status in statuses:
return
time.sleep(10)
raise Exception(f"VM {self} did not reach {status} after {timeout}")
def __str__(self):
return f"{self.resource_group}:{self.name}"
|