nova-lxd/nova/virt/lxd/driver.py

1723 lines
67 KiB
Python

# Copyright 2011 Justin Santa Barbara
# Copyright 2015 Canonical Ltd
# All Rights Reserved.
#
# 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.
from __future__ import absolute_import
import hashlib
import io
import json
import os
import platform
import pwd
import shutil
import socket
import tarfile
import tempfile
import uuid
import nova.conf
import nova.context
from nova import exception
from nova import i18n
from nova import image
from nova import network
from nova.network import model as network_model
from nova import objects
from nova.virt import driver
from os_brick.initiator import connector
from oslo_concurrency import processutils
from oslo_config import cfg
from oslo_log import log as logging
from oslo_utils import fileutils
import pylxd
from pylxd import exceptions as lxd_exceptions
from nova.virt.lxd import migrate
from nova.virt.lxd import vif as lxd_vif
from nova.virt.lxd import session
from nova.virt.lxd import utils as container_utils
from nova.api.metadata import base as instance_metadata
from nova.compute import arch
from nova.virt import configdrive
from nova.compute import hv_type
from nova.compute import power_state
from nova.compute import vm_mode
from nova.compute import vm_states
from nova.virt import hardware
from oslo_utils import units
from oslo_serialization import jsonutils
from nova import utils
import psutil
from oslo_concurrency import lockutils
from nova.compute import task_states
from oslo_utils import excutils
from nova.virt import firewall
_ = i18n._
_LW = i18n._LW
_LE = i18n._LE
lxd_opts = [
cfg.StrOpt('root_dir',
default='/var/lib/lxd/',
help='Default LXD directory'),
cfg.IntOpt('timeout',
default=-1,
help='Default LXD timeout'),
cfg.BoolOpt('allow_live_migration',
default=False,
help='Determine wheter to allow live migration'),
]
CONF = cfg.CONF
CONF.register_opts(lxd_opts, 'lxd')
LOG = logging.getLogger(__name__)
IMAGE_API = image.API()
MAX_CONSOLE_BYTES = 100 * units.Ki
NOVA_CONF = nova.conf.CONF
def _get_cpu_info():
"""Get cpu information.
This method executes lscpu and then parses the output,
returning a dictionary of information.
"""
cpuinfo = {}
out, err = utils.execute('lscpu')
if err:
msg = _('Unable to parse lscpu output.')
raise exception.NovaException(msg)
cpu = [line.strip('\n') for line in out.splitlines()]
for line in cpu:
if line.strip():
name, value = line.split(':', 1)
name = name.strip().lower()
cpuinfo[name] = value.strip()
f = open('/proc/cpuinfo', 'r')
features = [line.strip('\n') for line in f.readlines()]
for line in features:
if line.strip():
if line.startswith('flags'):
name, value = line.split(':', 1)
name = name.strip().lower()
cpuinfo[name] = value.strip()
return cpuinfo
def _get_ram_usage():
"""Get memory info."""
with open('/proc/meminfo') as fp:
m = fp.read().split()
idx1 = m.index('MemTotal:')
idx2 = m.index('MemFree:')
idx3 = m.index('Buffers:')
idx4 = m.index('Cached:')
total = int(m[idx1 + 1])
avail = int(m[idx2 + 1]) + int(m[idx3 + 1]) + int(m[idx4 + 1])
return {
'total': total * 1024,
'used': (total - avail) * 1024
}
def _get_fs_info(path):
"""Get free/used/total disk space."""
hddinfo = os.statvfs(path)
total = hddinfo.f_blocks * hddinfo.f_bsize
available = hddinfo.f_bavail * hddinfo.f_bsize
used = total - available
return {'total': total,
'available': available,
'used': used}
class LXDDriver(driver.ComputeDriver):
"""A LXD driver for nova.
LXD is a system container hypervisor. LXDDriver provides LXD
functionality to nova. For more information about LXD, see
http://www.ubuntu.com/cloud/lxd
"""
capabilities = {
"has_imagecache": False,
"supports_recreate": False,
"supports_migrate_to_same_host": False,
"supports_attach_interface": True
}
def __init__(self, virtapi):
super(LXDDriver, self).__init__(virtapi)
self.client = None # Initialized by init_host
self.host = NOVA_CONF.host
self.network_api = network.API()
self.vif_driver = lxd_vif.LXDGenericDriver()
self.firewall_driver = firewall.load_driver(
default='nova.virt.firewall.NoopFirewallDriver')
self.storage_driver = connector.InitiatorConnector.factory(
'ISCSI', utils.get_root_helper(),
use_multipath=CONF.libvirt.volume_use_multipath,
device_scan_attempts=CONF.libvirt.num_iscsi_scan_tries,
transport='default')
# XXX: rockstar (5 Jul 2016) - These attributes are temporary. We
# will know our cleanup of nova-lxd is complete when these
# attributes are no longer needed.
self.session = session.LXDAPISession()
self.container_migrate = migrate.LXDContainerMigrate(self)
def init_host(self, host):
"""Initialize the driver on the host.
The pylxd Client is initialized. This initialization may raise
an exception if the LXD instance cannot be found.
The `host` argument is ignored here, as the LXD instance is
assumed to be on the same system as the compute worker
running this code. This is by (current) design.
See `nova.virt.driver.ComputeDriver.init_host` for more
information.
"""
try:
self.client = pylxd.Client()
except lxd_exceptions.ClientConnectionFailed as e:
msg = _('Unable to connect to LXD daemon: %s') % e
raise exception.HostNotFound(msg)
self._after_reboot()
def cleanup_host(self, host):
"""Clean up the host.
`nova.virt.ComputeDriver` defines this method. It is overridden
here to be explicit that there is nothing to be done, as
`init_host` does not create any resources that would need to be
cleaned up.
See `nova.virt.driver.ComputeDriver.cleanup_host` for more
information.
"""
def get_info(self, instance):
"""Return an InstanceInfo object for the instance."""
container = self.client.containers.get(instance.name)
state = container.state()
mem_kb = state.memory['usage'] >> 10
max_mem_kb = state.memory['usage_peak'] >> 10
return hardware.InstanceInfo(
state=(
power_state.RUNNING if state.status == 'Running'
else power_state.SHUTDOWN),
max_mem_kb=max_mem_kb,
mem_kb=mem_kb,
num_cpu=instance.flavor.vcpus,
cpu_time_ns=0)
def list_instances(self):
"""Return a list of all instance names."""
return [c.name for c in self.client.containers.all()]
# XXX: rockstar (6 Jul 2016) - nova-lxd does not support `rebuild`
def spawn(self, context, instance, image_meta, injected_files,
admin_password, network_info=None, block_device_info=None):
"""Create a new lxd container as a nova instance.
Creating a new container requires a number of steps. First, the
image is fetched from glance, if needed. Next, the network is
connected. A profile is created in LXD, and then the container
is created and started.
See `nova.virt.driver.ComputeDriver.spawn` for more
information.
"""
try:
self.client.containers.get(instance.name)
raise exception.InstanceExists(name=instance.name)
except lxd_exceptions.LXDAPIException as e:
if e.response.status_code != 404:
raise # Re-raise the exception if it wasn't NotFound
instance_dir = container_utils.get_instance_dir(instance.name)
if not os.path.exists(instance_dir):
fileutils.ensure_tree(instance_dir)
# Fetch image from glance
# XXX: rockstar (6 Jul 2016) - The use of setup_image here is
# a little strange. setup_image is nat a driver required method,
# and is only called in this one place. It may be a candidate for
# refactoring.
self.setup_image(context, instance, image_meta)
# Plug in the network
for vif in network_info:
self.vif_driver.plug(instance, vif)
self.firewall_driver.setup_basic_filtering(instance, network_info)
self.firewall_driver.prepare_instance_filter(instance, network_info)
self.firewall_driver.apply_instance_filter(instance, network_info)
# Create the profile
# XXX: rockstar (6 Jul 2016) - create_profile is legacy code.
try:
profile_data = self.create_profile(
instance, network_info, block_device_info)
profile = self.client.profiles.create(
profile_data['name'], profile_data['config'],
profile_data['devices'])
except lxd_exceptions.LXDAPIException as e:
with excutils.save_and_reraise_exception():
self.cleanup(
context, instance, network_info, block_device_info)
# Create the container
container_config = {
'name': instance.name,
'profiles': [profile.name],
'source': {
'type': 'image',
'alias': instance.image_ref,
},
}
LOG.debug(container_config)
try:
container = self.client.containers.create(
container_config, wait=True)
except lxd_exceptions.LXDAPIException as e:
with excutils.save_and_reraise_exception():
self.cleanup(
context, instance, network_info, block_device_info)
# XXX: rockstar (6 Jul 2016) - _add_ephemeral is only used here,
# and hasn't really been audited. It may need a cleanup
lxd_config = self.client.host_info
self._add_ephemeral(block_device_info, lxd_config, instance)
if configdrive.required_by(instance):
configdrive_path = self._add_configdrive(
context, instance,
injected_files, admin_password,
network_info)
profile = self.client.profiles.get(instance.name)
config_drive = {
'configdrive': {
'path': '/var/lib/cloud/data',
'source': configdrive_path,
'type': 'disk',
}
}
profile.devices.update(config_drive)
profile.save()
try:
container.start()
except lxd_exceptions.LXDAPIException as e:
with excutils.save_and_reraise_exception():
self.cleanup(
context, instance, network_info, block_device_info)
def destroy(self, context, instance, network_info, block_device_info=None,
destroy_disks=True, migrate_data=None):
"""Destroy a running instance.
Since the profile and the instance are created on `spawn`, it is
safe to delete them together.
See `nova.virt.driver.ComputeDriver.destroy` for more
information.
"""
try:
container = self.client.containers.get(instance.name)
if container.status != 'Stopped':
container.stop(wait=True)
container.delete(wait=True)
except lxd_exceptions.LXDAPIException as e:
if e.response.status_code == 404:
LOG.warning(_LW('Failed to delete instance. '
'Container does not exist for %(instance)s.'),
{'instance': instance.name})
else:
raise
finally:
self.cleanup(
context, instance, network_info, block_device_info)
def cleanup(self, context, instance, network_info, block_device_info=None,
destroy_disks=True, migrate_data=None, destroy_vifs=True):
"""Clean up the filesystem around the container.
See `nova.virt.driver.ComputeDriver.cleanup` for more
information.
"""
if destroy_vifs:
for vif in network_info:
try:
self.vif_driver.unplug(instance, vif)
except exception.NovaException:
pass
self.firewall_driver.unfilter_instance(instance, network_info)
# XXX: zulcss (14 Jul 2016) - _remove_ephemeral is only used here,
# and hasn't really been audited. It may need a cleanup
lxd_config = self.client.host_info
self._remove_ephemeral(block_device_info, lxd_config, instance)
name = pwd.getpwuid(os.getuid()).pw_name
container_dir = container_utils.get_instance_dir(instance.name)
if os.path.exists(container_dir):
utils.execute(
'chown', '-R', '{}:{}'.format(name, name),
container_dir, run_as_root=True)
shutil.rmtree(container_dir)
try:
self.client.profiles.get(instance.name).delete()
except lxd_exceptions.LXDAPIException as e:
if e.response.status_code == 404:
LOG.warning(_LW('Failed to delete instance. '
'Profile does not exist for %(instance)s.'),
{'instance': instance.name})
else:
raise
def reboot(self, context, instance, network_info, reboot_type,
block_device_info=None, bad_volumes_callback=None):
"""Reboot the container.
Nova *should* not execute this on a stopped container, but
the documentation specifically says that if it is called, the
container should always return to a 'Running' state.
See `nova.virt.driver.ComputeDriver.cleanup` for more
information.
"""
container = self.client.containers.get(instance.name)
container.restart(force=True, wait=True)
# XXX: rockstar (7 Jul 2016) - nova-lxd does not support
# `get_console_pool_info`
def get_console_output(self, context, instance):
"""Get the output of the container console.
See `nova.virt.driver.ComputeDriver.get_console_output` for more
information.
"""
console_path = container_utils.get_console_path(instance.name)
container_path = os.path.join(
container_utils.get_container_dir(instance.name),
instance.name)
if not os.path.exists(console_path):
return ''
uid = pwd.getpwuid(os.getuid()).pw_uid
utils.execute(
'chown', '%s:%s' % (uid, uid), console_path, run_as_root=True)
utils.execute('chmod', '755', container_path, run_as_root=True)
with open(console_path, 'rb') as f:
log_data, _ = utils.last_bytes(f, MAX_CONSOLE_BYTES)
return log_data
# XXX: rockstar (7 Jul 2016) - nova-lxd does not support `get_vnc_console`
# XXX: rockstar (7 Jul 2016) - nova-lxd does not support
# `get_spice_console`
# XXX: rockstar (7 Jul 2016) - nova-lxd does not support `get_rdp_console`
# XXX: rockstar (7 Jul 2016) - nova-lxd does not support
# `get_serial_console`
# XXX: rockstar (7 Jul 2016) - nova-lxd does not support `get_mks_console`
# XXX: rockstar (7 Jul 2016) - nova-lxd does not support `get_diagnostics`
# XXX: rockstar (7 Jul 2016) - nova-lxd does not support
# `get_instance_diagnostics`
# XXX: rockstar (7 Jul 2016) - nova-lxd does not support
# `get_all_bw_counters`
# XXX: rockstar (7 Jul 2016) - nova-lxd does not support
# `get_all_volume_usage`
def get_host_ip_addr(self):
return CONF.my_ip
def attach_volume(self, context, connection_info, instance, mountpoint,
disk_bus=None, device_type=None, encryption=None):
"""Attach block device to a nova instance.
Attaching a block device to a container requires a couple of steps.
First os_brick connects the cinder volume to the host. Next,
the block device is added to the containers profile. Next, the
apparmor profile for the container is updated to allow mounting
'ext4' block devices. Finally, the profile is saved.
The block device must be formatted as ext4 in order to mount
the block device inside the container.
See `nova.virt.driver.ComputeDriver.attach_volume' for
more information/
"""
profile = self.client.profiles.get(instance.name)
device_info = self.storage_driver.connect_volume(
connection_info['data'])
disk = os.stat(os.path.realpath(device_info['path']))
vol_id = connection_info['data']['volume_id']
disk_device = {
vol_id: {
'path': mountpoint,
'major': '%s' % os.major(disk.st_rdev),
'minor': '%s' % os.minor(disk.st_rdev),
'type': 'unix-block'
}
}
profile.devices.update(disk_device)
# XXX zulcss (10 Jul 2016) - fused is currently not supported.
profile.config.update({'raw.apparmor': 'mount fstype=ext4,'})
profile.save()
def detach_volume(self, connection_info, instance, mountpoint,
encryption=None):
"""Detach block device from a nova instance.
First the volume id is deleted from the profile, and the
profile is saved. The os-brick disconnects the volume
from the host.
See `nova.virt.driver.Computedriver.detach_volume` for
more information.
"""
profile = self.client.profiles.get(instance.name)
vol_id = connection_info['data']['volume_id']
if vol_id in profile.devices:
del profile.devices[vol_id]
profile.save()
self.storage_driver.disconnect_volume(connection_info['data'], None)
# XXX: rockstar (7 Jul 2016) - nova-lxd does not support `swap_volume`
def attach_interface(self, instance, image_meta, vif):
self.vif_driver.plug(instance, vif)
self.firewall_driver.setup_basic_filtering(instance, vif)
container = self.client.containers.get(instance.name)
interfaces = []
for key, val in container.expanded_devices.items():
if key.startswith('eth'):
interfaces.append(key)
net_device = 'eth{}'.format(len(interfaces))
network_config = self.vif_driver.get_config(instance, vif)
if 'bridge' in network_config:
config_update = {
net_device: {
'nictype': 'bridged',
'hwaddr': vif['address'],
'parent': network_config['bridge'],
'type': 'nic',
}
}
else:
config_update = {
net_device: {
'nictype': 'p2p',
'hwaddr': vif['address'],
'type': 'nic',
}
}
container.expanded_devices.update(config_update)
container.save(wait=True)
def detach_interface(self, instance, vif):
self.vif_driver.unplug(instance, vif)
container = self.client.containers.get(instance.name)
to_remove = None
for key, val in container.expanded_devices.items():
if val.get('hwaddr') == vif['address']:
to_remove = key
break
del container.expanded_devices[to_remove]
container.save(wait=True)
def migrate_disk_and_power_off(
self, context, instance, dest, flavor, network_info,
block_device_info=None, timeout=0, retry_interval=0):
if CONF.my_ip == dest:
# Make sure that the profile for the container is up-to-date to
# the actual state of the container.
# XXX: rockstar (6 Jul 2016) - create_profile is legacy code.
profile_config = self.create_profile(
instance, network_info, block_device_info)
profile = self.client.profiles.get(instance.name)
profile.devices = profile_config['devices']
profile.config = profile_config['config']
profile.save()
container = self.client.containers.get(instance.name)
container.stop(wait=True)
return ''
def pause(self, instance):
"""Pause container.
See `nova.virt.driver.ComputeDriver.pause` for more
information.
"""
container = self.client.containers.get(instance.name)
container.freeze(wait=True)
def unpause(self, instance):
"""Unpause container.
See `nova.virt.driver.ComputeDriver.unpause` for more
information.
"""
container = self.client.containers.get(instance.name)
container.unfreeze(wait=True)
def suspend(self, context, instance):
"""Suspend container.
See `nova.virt.driver.ComputeDriver.suspend` for more
information.
"""
self.pause(instance)
def resume(self, context, instance, network_info, block_device_info=None):
"""Resume container.
See `nova.virt.driver.ComputeDriver.resume` for more
information.
"""
self.unpause(instance)
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `resume_state_on_host_boot`
def rescue(self, context, instance, network_info, image_meta,
rescue_password):
"""Rescue a LXD container
Rescuing a instance requires a number of steps. First,
the failed container is stopped. Next, '-rescue', is
appended to the failed container's name, this is done
so the container can be unrescued. The container's
profile is updated with the rootfs of the
failed container. Finally, a new container
is created and started.
See 'nova.virt.driver.ComputeDriver.rescue` for more
information.
"""
rescue = '%s-rescue' % instance.name
container = self.client.containers.get(instance.name)
container.rename(rescue, wait=True)
profile = self.client.profiles.get(instance.name)
rescue_dir = {
'rescue': {
'source': container_utils.get_container_rescue(instance.name),
'path': '/mnt',
'type': 'disk'
}
}
profile.devices.update(rescue_dir)
profile.save()
container_config = {
'name': instance.name,
'profiles': [profile.name],
'source': {
'type': 'image',
'alias': instance.image_ref,
}
}
container = self.client.containers.create(
container_config, wait=True)
container.start(wait=True)
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `set_bootable`
def unrescue(self, instance, network_info):
"""Unrescue an instance
Unrescue a container that has previously been rescued.
First the rescue containerisremoved. Next the rootfs
of the defective container is removed from the profile.
Finally the container is renamed and started.
See 'nova.virt.drvier.ComputeDriver.unrescue` for more
information.
"""
rescue = '%s-rescue' % instance.name
container = self.client.containers.get(instance.name)
if container.status != 'Stopped':
container.stop(wait=True)
container.delete(wait=True)
profile = self.client.profiles.get(instance.name)
del profile.devices['rescue']
profile.save()
container = self.client.containers.get(rescue)
container.rename(instance.name, wait=True)
container.start(wait=True)
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `resume_state_on_host_boot`
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `set_bootable`
def power_off(self, instance, timeout=0, retry_interval=0):
"""Power off an instance
See 'nova.virt.drvier.ComputeDriver.power_off` for more
information.
"""
container = self.client.containers.get(instance.name)
if container.status != 'Stopped':
container.stop(wait=True)
def power_on(self, context, instance, network_info,
block_device_info=None):
"""Power on an instance
See 'nova.virt.drvier.ComputeDriver.power_on` for more
information.
"""
container = self.client.containers.get(instance.name)
if container.status != 'Running':
container.start(wait=True)
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `trigger_crash_dump`
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `soft_delete`
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `restore`
def get_available_resource(self, nodename):
"""Aggregate all available system resources.
See 'nova.virt.drvier.ComputeDriver.get_available_resource`
for more information.
"""
cpuinfo = _get_cpu_info()
cpu_info = {
'arch': platform.uname()[5],
'features': cpuinfo.get('flags', 'unknown'),
'model': cpuinfo.get('model name', 'unknown'),
'topology': {
'sockets': cpuinfo.get('sockets(s)', 1),
'cores': cpuinfo.get('core(s) per socket', 1),
'threads': cpuinfo.get('thread(s) per core', 1),
},
'vendor': cpuinfo.get('vendor id', 'unknown'),
}
cpu_topology = cpu_info['topology']
vcpus = (int(cpu_topology['cores']) *
int(cpu_topology['sockets']) *
int(cpu_topology['threads']))
local_memory_info = _get_ram_usage()
local_disk_info = _get_fs_info(CONF.lxd.root_dir)
data = {
'vcpus': vcpus,
'memory_mb': local_memory_info['total'] / units.Mi,
'memory_mb_used': local_memory_info['used'] / units.Mi,
'local_gb': local_disk_info['total'] / units.Gi,
'local_gb_used': local_disk_info['used'] / units.Gi,
'vcpus_used': 0,
'hypervisor_type': 'lxd',
'hypervisor_version': '011',
'cpu_info': jsonutils.dumps(cpu_info),
'hypervisor_hostname': socket.gethostname(),
'supported_instances': [
(arch.I686, hv_type.LXD, vm_mode.EXE),
(arch.X86_64, hv_type.LXD, vm_mode.EXE),
(arch.I686, hv_type.LXC, vm_mode.EXE),
(arch.X86_64, hv_type.LXC, vm_mode.EXE),
],
'numa_topology': None,
}
return data
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `get_instance_disk_info`
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `refresh_security_group_rules`
def refresh_instance_security_rules(self, instance):
return self.firewall_driver.refresh_instance_security_rules(
instance)
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `reset_network`
def ensure_filtering_rules_for_instance(self, instance, network_info):
return self.firewall_driver.ensure_filtering_rules_for_instance(
instance, network_info)
def filter_defer_apply_on(self):
return self.firewall_driver.filter_defer_apply_on()
def filter_defer_apply_off(self):
return self.firewall_driver.filter_defer_apply_off()
def unfilter_instance(self, instance, network_info):
return self.firewall_driver.unfilter_instance(
instance, network_info)
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `set_admin_password`
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `inject_file`
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `change_instance_metadata`
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `inject_network_info`
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `poll_rebooting_instances`
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `host_power_action`
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `host_power_action`
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `set_host_enabled`
def get_host_uptime(self):
out, err = utils.execute('env', 'LANG=C', 'uptime')
return out
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `plug_vifs`
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `unplug_vifs`
def get_host_cpu_stats(self):
return {
'kernel': int(psutil.cpu_times()[2]),
'idle': int(psutil.cpu_times()[3]),
'user': int(psutil.cpu_times()[0]),
'iowait': int(psutil.cpu_times()[4]),
'frequency': _get_cpu_info().get('cpu mhz', 0)
}
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `block_stats`
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `add_to_aggregate`
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `remove_from_aggregate`
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `undo_aggregate_operation`
def get_volume_connector(self, instance):
return {'ip': CONF.my_block_storage_ip,
'initiator': 'fake',
'host': 'fakehost'}
def get_available_nodes(self, refresh=False):
hostname = socket.gethostname()
return [hostname]
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `volume_snapshot_create`
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `volume_snapshot_delete`
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `default_root_device_name`
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `default_device_names_for_instance`
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `get_device_name_for_instance`
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `quiesce`
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `unquiesce`
# XXX: rockstar (5 July 2016) - The methods and code below this line
# have not been through the cleanup process. We know the cleanup process
# is complete when there is no more code below this comment, and the
# comment can be removed.
#
# ComputeDriver implementation methods
#
def snapshot(self, context, instance, image_id, update_task_state):
lock_path = str(os.path.join(CONF.instances_path, 'locks'))
try:
if not self.session.container_defined(instance.name, instance):
raise exception.InstanceNotFound(instance_id=instance.name)
with lockutils.lock(lock_path,
lock_file_prefix=('lxd-snapshot-%s' %
instance.name),
external=True):
update_task_state(task_state=task_states.IMAGE_PENDING_UPLOAD)
# We have to stop the container before we can publish the
# image to the local store
self.session.container_stop(instance.name,
instance)
fingerprint = self._save_lxd_image(instance,
image_id)
self.session.container_start(instance.name, instance)
update_task_state(task_state=task_states.IMAGE_UPLOADING,
expected_state=task_states.IMAGE_PENDING_UPLOAD) # noqa
self._save_glance_image(context, instance, image_id,
fingerprint)
except Exception as ex:
with excutils.save_and_reraise_exception():
LOG.error(_LE('Failed to create snapshot for %(instance)s: '
'%(ex)s'), {'instance': instance.name, 'ex': ex},
instance=instance)
def post_interrupted_snapshot_cleanup(self, context, instance):
pass
def finish_migration(self, context, migration, instance, disk_info,
network_info, image_meta, resize_instance,
block_device_info=None, power_on=True):
return self.container_migrate.finish_migration(
context, migration, instance, disk_info,
network_info, image_meta, resize_instance,
block_device_info, power_on)
def confirm_migration(self, migration, instance, network_info):
return self.container_migrate.confirm_migration(migration,
instance,
network_info)
def finish_revert_migration(self, context, instance, network_info,
block_device_info=None, power_on=True):
return self.container_migrate.finish_revert_migration(
context, instance, network_info, block_device_info,
power_on)
def pre_live_migration(self, context, instance, block_device_info,
network_info, disk_info, migrate_data=None):
self.container_migrate.pre_live_migration(
context, instance, block_device_info, network_info,
disk_info, migrate_data)
def live_migration(self, context, instance, dest,
post_method, recover_method, block_migration=False,
migrate_data=None):
self.container_migrate.live_migration(
context, instance, dest, post_method,
recover_method, block_migration,
migrate_data)
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `live_migration_force_complete`
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `live_migration_abort`
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `rollback_live_migration_at_destination`
def post_live_migration(self, context, instance, block_device_info,
migrate_data=None):
self.container_migrate.post_live_migration(
context, instance, block_device_info, migrate_data)
def post_live_migration_at_source(self, context, instance, network_info):
return self.container_migrate.post_live_migration_at_source(
context, instance, network_info)
def post_live_migration_at_destination(self, context, instance,
network_info,
block_migration=False,
block_device_info=None):
self.container_migrate.post_live_migration_at_destination(
context, instance, network_info, block_migration,
block_device_info)
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `check_instance_shared_storage_local`
# XXX: rockstar (20 Jul 2016) - nova-lxd does not
# check_instance_shared_storage_remote`
# XXX: rockstar (20 Jul 2016) - nova-lxd does not support
# `check_instance_shared_storage_cleanup`
def check_can_live_migrate_destination(self, context, instance,
src_compute_info, dst_compute_info,
block_migration=False,
disk_over_commit=False):
return self.container_migrate.check_can_live_migrate_destination(
context, instance, src_compute_info, dst_compute_info,
block_migration, disk_over_commit)
def cleanup_live_migration_destination_check(
self, context, dest_check_data):
# XXX: rockstar (20 Jul 2016) - This method was renamed in newton,
# NOQA See https://github.com/openstack/nova/commit/3b62698235364057ec0c6811cc89ac85511876d2
self.container_migrate.check_can_live_migrate_destination_cleanup(
context, dest_check_data)
def check_can_live_migrate_source(self, context, instance,
dest_check_data, block_device_info=None):
return self.container_migrate.check_can_live_migrate_source(
context, instance, dest_check_data,
block_device_info
)
#
# LXDDriver "private" implementation methods
#
def _add_ephemeral(self, block_device_info, lxd_config, instance):
ephemeral_storage = driver.block_device_info_get_ephemerals(
block_device_info)
if ephemeral_storage:
storage_driver = lxd_config['environment']['storage']
container = self.client.containers.get(instance.name)
container_id_map = container.config[
'volatile.last_state.idmap'].split(',')
storage_id = container_id_map[2].split(':')[1]
for ephemeral in ephemeral_storage:
storage_dir = container_utils.get_container_storage(
ephemeral['virtual_name'], instance.name)
if storage_driver == 'zfs':
zfs_pool = lxd_config['config']['storage.zfs_pool_name']
utils.execute(
'zfs', 'create',
'-o', 'mountpoint=%s' % storage_dir,
'-o', 'quota=%sG' % instance.ephemeral_gb,
'%s/%s-ephemeral' % (zfs_pool, instance.name),
run_as_root=True)
elif storage_driver == 'btrfs':
# We re-use the same btrfs subvolumes that LXD uses,
# so the ephemeral storage path is updated in the profile
# before the container starts.
storage_dir = os.path.join(
container_utils.get_container_dir(instance.name),
instance.name, ephemeral['virtual_name'])
profile = self.client.profiles.get(instance.name)
storage_name = ephemeral['virtual_name']
profile.devices[storage_name]['source'] = storage_dir
profile.save()
utils.execute(
'btrfs', 'subvolume', 'create', storage_dir,
run_as_root=True)
utils.execute(
'btrfs', 'qgroup', 'limit',
'%sg' % instance.ephemeral_gb, storage_dir,
run_as_root=True)
elif storage_driver == 'lvm':
fileutils.ensure_tree(storage_dir)
lvm_pool = lxd_config['config']['storage.lvm_vg_name']
lvm_volume = '%s-%s' % (instance.name,
ephemeral['virtual_name'])
lvm_path = '/dev/%s/%s' % (lvm_pool, lvm_volume)
cmd = (
'lvcreate', '-L', '%sG' % instance.ephemeral_gb,
'-n', lvm_volume, lvm_pool)
utils.execute(*cmd, run_as_root=True, attempts=3)
utils.execute('mkfs', '-t', 'ext4',
lvm_path, run_as_root=True)
cmd = ('mount', '-t', 'ext4', lvm_path, storage_dir)
utils.execute(*cmd, run_as_root=True)
else:
reason = _('Unsupport LXD storage detected. Supported'
' storage drivers are zfs and btrfs.')
raise exception.NovaException(reason)
utils.execute(
'chown', storage_id,
storage_dir, run_as_root=True)
def _remove_ephemeral(self, block_device_info, lxd_config, instance):
"""Remove empeheral device from the instance."""
ephemeral_storage = driver.block_device_info_get_ephemerals(
block_device_info)
if ephemeral_storage:
storage_driver = lxd_config['environment']['storage']
for ephemeral in ephemeral_storage:
if storage_driver == 'zfs':
zfs_pool = \
lxd_config['config']['storage.zfs_pool_name']
utils.execute(
'zfs', 'destroy',
'%s/%s-ephemeral' % (zfs_pool, instance.name),
run_as_root=True)
if storage_driver == 'lvm':
lvm_pool = lxd_config['config']['storage.lvm_vg_name']
lvm_path = '/dev/%s/%s-%s' % (
lvm_pool, instance.name, ephemeral['virtual_name'])
utils.execute('umount', lvm_path, run_as_root=True)
utils.execute('lvremove', '-f', lvm_path, run_as_root=True)
def _add_configdrive(self, context, instance,
injected_files, admin_password, network_info):
"""Create configdrive for the instance."""
if CONF.config_drive_format != 'iso9660':
raise exception.ConfigDriveUnsupportedFormat(
format=CONF.config_drive_format)
container = self.client.containers.get(instance.name)
container_id_map = container.config[
'volatile.last_state.idmap'].split(',')
storage_id = container_id_map[2].split(':')[1]
extra_md = {}
if admin_password:
extra_md['admin_pass'] = admin_password
inst_md = instance_metadata.InstanceMetadata(
instance, content=injected_files, extra_md=extra_md,
network_info=network_info, request_context=context)
iso_path = os.path.join(
container_utils.get_instance_dir(instance.name),
'configdrive.iso')
with configdrive.ConfigDriveBuilder(instance_md=inst_md) as cdb:
try:
cdb.make_drive(iso_path)
except processutils.ProcessExecutionError as e:
with excutils.save_and_reraise_exception():
LOG.error(_LE('Creating config drive failed with '
'error: %s'),
e, instance=instance)
configdrive_dir = \
container_utils.get_container_configdrive(instance.name)
if not os.path.exists(configdrive_dir):
fileutils.ensure_tree(configdrive_dir)
with utils.tempdir() as tmpdir:
mounted = False
try:
_, err = utils.execute('mount',
'-o',
'loop,uid=%d,gid=%d' % (os.getuid(),
os.getgid()),
iso_path, tmpdir,
run_as_root=True)
mounted = True
# Copy and adjust the files from the ISO so that we
# dont have the ISO mounted during the life cycle of the
# instance and the directory can be removed once the instance
# is terminated
for ent in os.listdir(tmpdir):
shutil.copytree(os.path.join(tmpdir, ent),
os.path.join(configdrive_dir, ent))
utils.execute('chmod', '-R', '775', configdrive_dir,
run_as_root=True)
utils.execute('chown', '-R', storage_id, configdrive_dir,
run_as_root=True)
finally:
if mounted:
utils.execute('umount', tmpdir, run_as_root=True)
return configdrive_dir
def _save_lxd_image(self, instance, image_id):
"""Creates an LXD image from the LXD continaer
"""
LOG.debug('_save_lxd_image called for instance', instance=instance)
fingerprint = None
try:
# Publish the snapshot to the local LXD image store
container_snapshot = {
"properties": {},
"public": False,
"source": {
"name": instance.name,
"type": "container"
}
}
(state, data) = self.session.container_publish(container_snapshot,
instance)
event_id = data.get('operation')
self.session.wait_for_snapshot(event_id, instance)
# Image has been create but the fingerprint is buried deep
# in the metadata when the snapshot is complete
(state, data) = self.session.operation_info(event_id, instance)
fingerprint = data['metadata']['metadata']['fingerprint']
except Exception as ex:
with excutils.save_and_reraise_exception():
LOG.error(_LE('Failed to publish snapshot for %(instance)s: '
'%(ex)s'), {'instance': instance.name,
'ex': ex}, instance=instance)
try:
# Set the alias for the LXD image
alias_config = {
'name': image_id,
'target': fingerprint
}
self.session.create_alias(alias_config, instance)
except Exception as ex:
with excutils.save_and_reraise_exception():
LOG.error(_LE('Failed to create alias for %(instance)s: '
'%(ex)s'), {'instance': instance.name,
'ex': ex}, instance=instance)
return fingerprint
def _save_glance_image(self, context, instance, image_id, fingerprint):
LOG.debug('_save_glance_image called for instance', instance=instance)
try:
snapshot = IMAGE_API.get(context, image_id)
data = self.session.container_export(fingerprint, instance)
image_meta = {'name': snapshot['name'],
'disk_format': 'raw',
'container_format': 'bare'}
IMAGE_API.update(context, image_id, image_meta, data)
except Exception as ex:
with excutils.save_and_reraise_exception():
LOG.error(_LE('Failed to upload image to glance for '
'%(instance)s: %(ex)s'),
{'instance': instance.name, 'ex': ex},
instance=instance)
def setup_image(self, context, instance, image_meta):
"""Download an image from glance and upload it to LXD
:param context: context object
:param instance: The nova instance
:param image_meta: Image dict returned by nova.image.glance
"""
LOG.debug('setup_image called for instance', instance=instance)
lock_path = str(os.path.join(CONF.instances_path, 'locks'))
container_image = \
container_utils.get_container_rootfs_image(image_meta)
container_manifest = \
container_utils.get_container_manifest_image(image_meta)
print(lock_path)
with lockutils.lock(lock_path,
lock_file_prefix=('lxd-image-%s' %
instance.image_ref),
external=True):
if self.session.image_defined(instance):
return
base_dir = container_utils.BASE_DIR
if not os.path.exists(base_dir):
fileutils.ensure_tree(base_dir)
try:
# Inspect image for the correct format
try:
# grab the disk format of the image
img_meta = IMAGE_API.get(context, instance.image_ref)
disk_format = img_meta.get('disk_format')
if not disk_format:
reason = _('Bad image format')
raise exception.ImageUnacceptable(
image_id=instance.image_ref, reason=reason)
if disk_format not in ['raw', 'root-tar']:
reason = _(
'nova-lxd does not support images in %s format. '
'You should upload an image in raw or root-tar '
'format.') % disk_format
raise exception.ImageUnacceptable(
image_id=instance.image_ref, reason=reason)
except Exception as ex:
reason = _('Bad Image format: %(ex)s') \
% {'ex': ex}
raise exception.ImageUnacceptable(
image_id=instance.image_ref, reason=reason)
# Fetch the image from glance
with fileutils.remove_path_on_error(container_image):
IMAGE_API.download(context, instance.image_ref,
dest_path=container_image)
# Generate the LXD manifest for the image
metadata_yaml = None
try:
# Create a basic LXD manifest from the image properties
image_arch = image_meta.properties.get('hw_architecture')
if image_arch is None:
image_arch = arch.from_host()
metadata = {
'architecture': image_arch,
'creation_date': int(os.stat(container_image).st_ctime)
}
metadata_yaml = json.dumps(
metadata, sort_keys=True, indent=4,
separators=(',', ': '),
ensure_ascii=False).encode('utf-8') + b"\n"
except Exception as ex:
with excutils.save_and_reraise_exception():
LOG.error(
_LE('Failed to generate manifest for %(image)s: '
'%(reason)s'),
{'image': instance.name, 'ex': ex},
instance=instance)
try:
# Compress the manifest using tar
target_tarball = tarfile.open(container_manifest, "w:gz")
metadata_file = tarfile.TarInfo()
metadata_file.size = len(metadata_yaml)
metadata_file.name = "metadata.yaml"
target_tarball.addfile(metadata_file,
io.BytesIO(metadata_yaml))
target_tarball.close()
except Exception as ex:
with excutils.save_and_reraise_exception():
LOG.error(_LE('Failed to generate manifest tarball for'
' %(image)s: %(reason)s'),
{'image': instance.name, 'ex': ex},
instance=instance)
# Upload the image to the local LXD image store
headers = {}
boundary = str(uuid.uuid1())
# Create the binary blob to upload the file to LXD
tmpdir = tempfile.mkdtemp()
upload_path = os.path.join(tmpdir, "upload")
body = open(upload_path, 'wb+')
for name, path in [("metadata", (container_manifest)),
("rootfs", container_image)]:
filename = os.path.basename(path)
body.write(bytearray("--%s\r\n" % boundary, "utf-8"))
body.write(bytearray("Content-Disposition: form-data; "
"name=%s; filename=%s\r\n" %
(name, filename), "utf-8"))
body.write("Content-Type: application/octet-stream\r\n")
body.write("\r\n")
with open(path, "rb") as fd:
shutil.copyfileobj(fd, body)
body.write("\r\n")
body.write(bytearray("--%s--\r\n" % boundary, "utf-8"))
body.write('\r\n')
body.close()
headers['Content-Type'] = "multipart/form-data; boundary=%s" \
% boundary
# Upload the file to LXD and then remove the tmpdir.
self.session.image_upload(
data=open(upload_path, 'rb'), headers=headers,
instance=instance)
shutil.rmtree(tmpdir)
# Setup the LXD alias for the image
try:
with open((container_manifest), 'rb') as meta_fd:
with open(container_image, "rb") as rootfs_fd:
fingerprint = hashlib.sha256(
meta_fd.read() + rootfs_fd.read()).hexdigest()
alias_config = {
'name': instance.image_ref,
'target': fingerprint
}
self.session.create_alias(alias_config, instance)
except Exception as ex:
with excutils.save_and_reraise_exception:
LOG.error(
_LE('Failed to setup alias for %(image)s:'
' %(ex)s'), {'image': instance.image_ref,
'ex': ex}, instance=instance)
# Remove image and manifest when done.
if os.path.exists(container_image):
os.unlink(container_image)
if os.path.exists(container_manifest):
os.unlink(container_manifest)
except Exception as ex:
with excutils.save_and_reraise_exception():
LOG.error(_LE('Failed to upload %(image)s to LXD: '
'%(reason)s'),
{'image': instance.image_ref,
'reason': ex}, instance=instance)
if os.path.exists(container_image):
os.unlink(container_image)
if os.path.exists(container_manifest):
os.unlink(container_manifest)
def create_profile(self, instance, network_info, block_device_info=None):
"""Create a LXD container profile configuration
:param instance: nova instance object
:param network_info: nova network configuration object
:return: LXD container profile dictionary
"""
LOG.debug('create_container_profile called for instance',
instance=instance)
instance_name = instance.name
try:
config = {}
config['name'] = str(instance_name)
config['config'] = self.create_config(instance_name, instance)
# Restrict the size of the "/" disk
config['devices'] = self.configure_container_root(instance)
ephemeral_storage = driver.block_device_info_get_ephemerals(
block_device_info)
if ephemeral_storage:
for ephemeral in ephemeral_storage:
ephemeral_src = container_utils.get_container_storage(
ephemeral['virtual_name'], instance.name)
ephemeral_storage = {
ephemeral['virtual_name']: {
'path': '/mnt',
'source': ephemeral_src,
'type': 'disk',
}
}
config['devices'].update(ephemeral_storage)
if network_info:
config['devices'].update(self.create_network(
instance_name, instance, network_info))
return config
except Exception as ex:
with excutils.save_and_reraise_exception():
LOG.error(
_LE('Failed to create profile %(instance)s: %(ex)s'),
{'instance': instance_name, 'ex': ex}, instance=instance)
def create_config(self, instance_name, instance):
"""Create the LXD container resources
:param instance_name: instance name
:param instance: nova instance object
:return: LXD resources dictionary
"""
LOG.debug('create_config called for instance', instance=instance)
try:
config = {}
# Update container options
config.update(self.config_instance_options(config, instance))
# Set the instance memory limit
mem = instance.memory_mb
if mem >= 0:
config['limits.memory'] = '%sMB' % mem
# Set the instance vcpu limit
vcpus = instance.flavor.vcpus
if vcpus >= 0:
config['limits.cpu'] = str(vcpus)
# Configure the console for the instance
config['raw.lxc'] = 'lxc.console.logfile=%s\n' \
% container_utils.get_console_path(instance_name)
return config
except Exception as ex:
with excutils.save_and_reraise_exception():
LOG.error(
_LE('Failed to set container resources %(instance)s: '
'%(ex)s'), {'instance': instance_name, 'ex': ex},
instance=instance)
def config_instance_options(self, config, instance):
LOG.debug('config_instance_options called for instance',
instance=instance)
# Set the container to autostart when the host reboots
config['boot.autostart'] = 'True'
# Determine if we require a nested container
flavor = instance.flavor
lxd_nested_allowed = flavor.extra_specs.get(
'lxd:nested_allowed', False)
if lxd_nested_allowed:
config['security.nesting'] = 'True'
# Determine if we require a privileged container
lxd_privileged_allowed = flavor.extra_specs.get(
'lxd:privileged_allowed', False)
if lxd_privileged_allowed:
config['security.privileged'] = 'True'
return config
def configure_container_root(self, instance):
LOG.debug('configure_container_root called for instance',
instance=instance)
try:
config = {}
lxd_config = self.session.get_host_config(instance)
config.setdefault('root', {'type': 'disk', 'path': '/'})
if str(lxd_config['storage']) in ['btrfs', 'zfs']:
config['root'].update({'size': '%sGB' % str(instance.root_gb)})
# Set disk quotas
config['root'].update(self.create_disk_quota_config(instance))
return config
except Exception as ex:
with excutils.save_and_reraise_exception():
LOG.error(_LE('Failed to configure disk for '
'%(instance)s: %(ex)s'),
{'instance': instance.name, 'ex': ex},
instance=instance)
def create_disk_quota_config(self, instance):
md = instance.flavor.extra_specs
disk_config = {}
md_namespace = 'quota:'
params = ['disk_read_iops_sec', 'disk_read_bytes_sec',
'disk_write_iops_sec', 'disk_write_bytes_sec',
'disk_total_iops_sec', 'disk_total_bytes_sec']
# Get disk quotas from flavor metadata and cast the values to int
q = {}
for param in params:
try:
q[param] = int(md.get(md_namespace + param, 0))
except ValueError:
LOG.warning(_LE('Disk quota %(p)s must be an integer'),
{'p': param},
instance=instance)
# Bytes and IOps are not separate config options in a container
# profile - we let Bytes take priority over IOps if both are set.
# Align all limits to MiB/s, which should be a sensible middle road.
if q.get('disk_read_iops_sec'):
disk_config['limits.read'] = \
('%s' + 'iops') % q['disk_read_iops_sec']
if q.get('disk_read_bytes_sec'):
disk_config['limits.read'] = \
('%s' + 'MB') % (q['disk_read_bytes_sec'] / units.Mi)
if q.get('disk_write_iops_sec'):
disk_config['limits.write'] = \
('%s' + 'iops') % q['disk_write_iops_sec']
if q.get('disk_write_bytes_sec'):
disk_config['limits.write'] = \
('%s' + 'MB') % (q['disk_write_bytes_sec'] / units.Mi)
# If at least one of the above limits has been defined, do not set
# the "max" quota (which would apply to both read and write)
minor_quota_defined = any(
q.get(param) for param in
['disk_read_iops_sec', 'disk_write_iops_sec',
'disk_read_bytes_sec', 'disk_write_bytes_sec']
)
if q.get('disk_total_iops_sec') and not minor_quota_defined:
disk_config['limits.max'] = \
('%s' + 'iops') % q['disk_total_iops_sec']
if q.get('disk_total_bytes_sec') and not minor_quota_defined:
disk_config['limits.max'] = \
('%s' + 'MB') % (q['disk_total_bytes_sec'] / units.Mi)
return disk_config
def create_network(self, instance_name, instance, network_info):
"""Create the LXD container network on the host
:param instance_name: nova instance name
:param instance: nova instance object
:param network_info: instance network configuration object
:return:network configuration dictionary
"""
LOG.debug('create_network called for instance', instance=instance)
try:
network_devices = {}
if not network_info:
return
for vifaddr in network_info:
cfg = self.vif_driver.get_config(instance, vifaddr)
if 'bridge' in cfg:
key = str(cfg['bridge'])
network_devices[key] = {
'nictype': 'bridged',
'hwaddr': str(cfg['mac_address']),
'parent': str(cfg['bridge']),
'type': 'nic'
}
else:
key = 'unbridged'
network_devices[key] = {
'nictype': 'p2p',
'hwaddr': str(cfg['mac_address']),
'type': 'nic'
}
host_device = self.vif_driver.get_vif_devname(vifaddr)
if host_device:
network_devices[key]['host_name'] = host_device
# Set network device quotas
network_devices[key].update(
self.create_network_quota_config(instance)
)
return network_devices
except Exception as ex:
with excutils.save_and_reraise_exception():
LOG.error(
_LE('Fail to configure network for %(instance)s: %(ex)s'),
{'instance': instance_name, 'ex': ex}, instance=instance)
def create_network_quota_config(self, instance):
md = instance.flavor.extra_specs
network_config = {}
md_namespace = 'quota:'
params = ['vif_inbound_average', 'vif_inbound_peak',
'vif_outbound_average', 'vif_outbound_peak']
# Get network quotas from flavor metadata and cast the values to int
q = {}
for param in params:
try:
q[param] = int(md.get(md_namespace + param, 0))
except ValueError:
LOG.warning(_LE('Network quota %(p)s must be an integer'),
{'p': param},
instance=instance)
# Since LXD does not implement average NIC IO and number of burst
# bytes, we take the max(vif_*_average, vif_*_peak) to set the peak
# network IO and simply ignore the burst bytes.
# Align values to MBit/s (8 * powers of 1000 in this case), having
# in mind that the values are recieved in Kilobytes/s.
vif_inbound_limit = max(
q.get('vif_inbound_average'),
q.get('vif_inbound_peak')
)
if vif_inbound_limit:
network_config['limits.ingress'] = \
('%s' + 'Mbit') % (vif_inbound_limit * units.k * 8 / units.M)
vif_outbound_limit = max(
q.get('vif_outbound_average'),
q.get('vif_outbound_peak')
)
if vif_outbound_limit:
network_config['limits.egress'] = \
('%s' + 'Mbit') % (vif_outbound_limit * units.k * 8 / units.M)
return network_config
def get_container_migrate(self, container_migrate, host, instance):
"""Create the image source for a migrating container
:container_migrate: the container websocket information
:host: the source host
:instance: nova instance object
return dictionary of the image source
"""
LOG.debug('get_container_migrate called for instance',
instance=instance)
try:
# Generate the container config
container_metadata = container_migrate['metadata']
container_url = 'https://%s:8443%s' \
% (CONF.my_ip, container_migrate.get('operation'))
lxd_config = self.session.get_host_config(instance)
return {
'base_image': '',
'mode': 'pull',
'certificate': lxd_config['certificate'],
'operation': container_url,
'secrets': container_metadata['metadata'],
'type': 'migration'
}
except Exception as ex:
with excutils.save_and_reraise_exception():
LOG.error(_LE('Failed to configure migation source '
'%(instance)s: %(ex)s'),
{'instance': instance.name, 'ex': ex},
instance=instance)
def _reconnect_instance(self, context, instance):
'''Reconnect instance ports.'''
# Check instance state
if (instance.vm_state != vm_states.STOPPED):
return
try:
network_info = self.network_api.get_instance_nw_info(
context, instance)
except exception.InstanceNotFound:
network_info = network_model.NetworkInfo()
# Plug in the network
for vif in network_info:
self.vif_driver.plug(instance, vif)
self.firewall_driver.setup_basic_filtering(instance, network_info)
self.firewall_driver.prepare_instance_filter(instance, network_info)
self.firewall_driver.apply_instance_filter(instance, network_info)
def _after_reboot(self):
'''Actions to take after the host has been rebooted.'''
context = nova.context.get_admin_context()
instances = objects.InstanceList.get_by_host(
context, self.host, expected_attrs=['info_cache', 'metadata'])
for instance in instances:
self._reconnect_instance(context, instance)