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 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486
|
# Copyright 2015, 2017 IBM Corp.
#
# 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.
"""Utilities to query and parse the metrics data."""
import abc
import datetime
from oslo_concurrency import lockutils
from oslo_log import log as logging
import six
from pypowervm import adapter as pvm_adpt
from pypowervm.i18n import _
from pypowervm.tasks.monitor import lpar as lpar_mon
from pypowervm.wrappers import managed_system as pvm_ms
from pypowervm.wrappers import monitor as pvm_mon
from pypowervm.wrappers.pcm import lpar as lpar_pcm
from pypowervm.wrappers.pcm import phyp as phyp_mon
from pypowervm.wrappers.pcm import vios as vios_mon
LOG = logging.getLogger(__name__)
RAW_METRICS = 'RawMetrics'
@six.add_metaclass(abc.ABCMeta)
class MetricCache(object):
"""Provides a cache of the metrics data.
The core LongTermMetrics API only refreshes its internal metric data once
(generally) every 30 seconds. This class provides a generalized cache
of the metrics. It stores both the raw phyp and vios metrics (if
available) and will only refresh them after a specified time period has
elapsed (30 seconds by default).
"""
def __init__(self, adapter, host_uuid, refresh_delta=30, include_vio=True):
"""Creates an instance of the cache.
:param adapter: The pypowervm Adapter.
:param host_uuid: The UUID of the host CEC to maintain a metrics
cache for.
:param refresh_delta: (Optional) The interval in seconds at which the
metrics should be updated. Will only update if
the interval has been passed and the user invokes
a cache query. Will not update in the
background, only if the cache is used.
:param include_vio: (Optional) Defaults to True. If set to False, the
cur_vioses and prev_vioses will always be
unavailable. This increases the speed for refresh.
"""
# Ensure that the metric monitoring is enabled.
ensure_ltm_monitors(adapter, host_uuid)
# Save the data
self.adapter = adapter
self.host_uuid = host_uuid
self.refresh_delta = datetime.timedelta(seconds=refresh_delta)
self.include_vio = include_vio
self.is_first_pass = False
# Ensure these elements are defined up front.
self.cur_date, self.cur_phyp, self.cur_vioses, self.cur_lpars = (
None, None, None, None)
self.prev_date, self.prev_phyp, self.prev_vioses, self.prev_lpars = (
None, None, None, None)
# Run a refresh up front.
self._refresh_if_needed()
def _refresh_if_needed(self):
"""Refreshes the cache if needed."""
# The refresh is needed if the current date is none, or if the refresh
# time delta has been crossed.
refresh_needed = self.cur_date is None
# This is put into an if block so that we don't run the logic if
# cur_date is in fact None...
if not refresh_needed:
diff_date = datetime.datetime.now() - self.cur_date
refresh_needed = diff_date > self.refresh_delta
# At this point, if a refresh isn't needed, then exit.
if not refresh_needed:
return
self._set_prev()
self.cur_date, self.cur_phyp, self.cur_vioses, self.cur_lpars = (
latest_stats(self.adapter, self.host_uuid,
include_vio=self.include_vio))
# Have the class that is implementing the cache update its simplified
# representation of the data. Ex. LparMetricCache
self._update_internal_metric()
def _set_prev(self):
# On first boot, the cur data will be None. Query to seed it with the
# second latest data (which may also still be none if LTM was just
# turned on, but just in case).
self.is_first_pass = self.cur_date is None
if self.is_first_pass:
p_date, p_phyp, p_vioses, p_lpars = (
latest_stats(self.adapter, self.host_uuid,
include_vio=self.include_vio, second_latest=True))
self.prev_date, self.prev_phyp = p_date, p_phyp
self.prev_vioses, self.prev_lpars = p_vioses, p_lpars
else:
self.prev_date, self.prev_phyp = self.cur_date, self.cur_phyp,
self.prev_vioses, self.prev_lpars = self.cur_vioses, self.cur_lpars
def _update_internal_metric(self):
"""Save the raw metric to the transformed values.
Implemented by the child class. Should transform the phyp and
vios data into the format required by the implementor.
"""
raise NotImplementedError()
class LparMetricCache(MetricCache):
"""Provides a cache of metrics on a per LPAR level.
Metrics are expensive to gather and to parse. It is expensive because
the backing API gathers all of the metrics at the Hypervisor and Virtual
I/O Server levels. This returns all of the LPARs. Therefore, this cache
parses in all of the data once, and allows the invoker to get individual
LPAR metrics without having to re-query the API server.
This class provides a caching mechanism along with a built in refresh
mechanism if enough time has passed since last gathering the metrics.
This cache will obtain the metrics for a given system, separate them out
into an individual LparMetric cache. If another LPAR is required, the
cache will be used (so a subsequent API call is not required).
There is a refresh_interval as well. If the interval is passed, a
subsequent query of the metrics will force a refresh of the cache.
The previous metric is also saved within the cache. This is useful for
generating rates on the metrics (a previous element to compare against).
The cache will only contain the last two samples of hypervisor/vios data.
This is so that the current sample and the previous sample are maintained.
The data is maintained for all of the systems that metrics data has data
for - but this is still quite thin. This cache does not have support
to maintain additional samples.
Trimming is done upon each refresh (which is triggered by the
get_latest_metric). To wipe the cache, the user should just have the cache
go out of scope and it will be cleared. No manual clean up is required.
"""
def __init__(self, adapter, host_uuid, refresh_delta=30, include_vio=True):
"""Creates an instance of the cache.
:param adapter: The pypowervm Adapter.
:param host_uuid: The UUID of the host CEC to maintain a metrics
cache for.
:param refresh_delta: (Optional) The interval at which the metrics
should be updated. Will only update if the
interval has been passed and the user invokes a
cache query. Will not update in the background,
only if the cache is used.
:param include_vio: (Optional) Defaults to True. If set to False, the
cur_vioses and prev_vioses will always be
unavailable. This increases the speed for refresh.
"""
# Ensure these elements are defined up front so that references don't
# error out if they haven't been set yet. These will be the results
# from the vm_metrics method.
self.cur_metric, self.prev_metric = None, None
# Invoke the parent to seed the metrics.
super(LparMetricCache, self).__init__(adapter, host_uuid,
refresh_delta=refresh_delta,
include_vio=include_vio)
@lockutils.synchronized('pvm_lpar_metrics_get')
def get_latest_metric(self, lpar_uuid):
"""Returns the latest metrics for a given LPAR.
This will pull from the cache, but will refresh the cache if the
refresh interval has passed.
:param lpar_uuid: The UUID of the LPAR to query for the metrics.
:return: Two elements.
- First is the date of the metric.
- Second is the LparMetric
Note that both of these can be None. If the date of the
metric is None, that indicates that there was no previous
metric (or something is wrong with the gather flow).
If the date of the metric is None, then the second value will
be None as well.
If the date of the metric is set, but None is returned for
the value then the LPAR had no metrics for it. Scenarios can
occur where the current metric may have a value but not the
previous (ex. when a LPAR was just created).
"""
# Refresh if needed. Will no-op if no refresh is required.
self._refresh_if_needed()
# No metric, no operation.
if self.cur_metric is None:
return self.cur_date, None
return self.cur_date, self.cur_metric.get(lpar_uuid)
@lockutils.synchronized('pvm_lpar_metrics_get')
def get_previous_metric(self, lpar_uuid):
"""Returns the previous metric for a given LPAR.
This will NOT update the cache. That can only be triggered from the
get_latest_metric method.
:param lpar_uuid: The UUID of the LPAR to query for the metrics.
:return: Two elements.
- First is the date of the metric.
- Second is the LparMetric
Note that both of these can be None. If the date of the
metric is None, that indicates that there was no previous
metric (or something is wrong with the gather flow).
If the date of the metric is None, then the second value will
be None as well.
If the date of the metric is set, but None is returned for
the value then the LPAR had no metrics for it. Scenarios can
occur where the current metric may have a value but not the
previous (ex. when a LPAR was just created).
"""
# No metric, no operation.
if self.prev_metric is None:
return self.prev_date, None
return self.prev_date, self.prev_metric.get(lpar_uuid)
def _update_internal_metric(self):
if self.is_first_pass:
self.prev_metric = vm_metrics(self.prev_phyp, self.prev_vioses,
self.prev_lpars)
else:
self.prev_metric = self.cur_metric
self.cur_metric = vm_metrics(self.cur_phyp, self.cur_vioses,
self.cur_lpars)
def latest_stats(adapter, host_uuid, include_vio=True, second_latest=False):
"""Returns the latest PHYP and (optionally) VIOS statistics.
:param adapter: The pypowervm adapter.
:param host_uuid: The host system's UUID.
:param include_vio: (Optional) Defaults to True. If set to false, the
VIO metrics will always be returned as an empty list.
:param second_latest: (Optional) Defaults to False. If set to True, it
will pull the second to last metric for the return
data.
:return: datetime - When the metrics were pulled.
:return: phyp_data - The PhypInfo object for the raw metrics. May be None
if there are issues gathering the metrics.
:return: vios_datas - The list of ViosInfo objects. May be empty if the
metrics are unavailable or if the include_vio flag is False. Is
a list as the system may have many Virtual I/O Servers.
:return: lpar_metrics - The list of Lpar metrics received from querying
IBM.Host Resource Manager via RMC. It may be empty is the
metrics are unavailable or if the include_lpars flag is False.
lpar_metrics are generally collected once every two minutes, as
opposed to the other data which is collected every 30 seconds.
"""
ltm_metrics = query_ltm_feed(adapter, host_uuid)
latest_phyp = _get_metric(ltm_metrics, 'phyp', second_latest=second_latest)
# If there is no current metric, return None.
if latest_phyp is None:
return datetime.datetime.now(), None, None, None
phyp_json = adapter.read_by_href(latest_phyp.link, xag=[]).body
phyp_metric = phyp_mon.PhypInfo(phyp_json)
# Now find the corresponding VIOS metrics for this.
vios_ltms = []
for metric in ltm_metrics:
# The VIOS metrics start with the key 'vios_'
if not metric.category.startswith('vios_'):
continue
if metric.updated_datetime == latest_phyp.updated_datetime:
vios_ltms.append(metric)
if include_vio:
vios_metrics = [vios_mon.ViosInfo(adapter.read_by_href(x.link).body)
for x in vios_ltms]
else:
vios_metrics = []
# Now find the corresponding LPAR metrics for this.
lpar_metrics = get_lpar_metrics(ltm_metrics, adapter,
second_latest=second_latest)
# Get the latest date, but if we're getting the second latest we know
# it is 30 seconds old. The 30 seconds is the cadence that the REST API
# collects the metric data.
ret_date = datetime.datetime.now()
if second_latest:
ret_date = ret_date - datetime.timedelta(seconds=30)
return ret_date, phyp_metric, vios_metrics, lpar_metrics
def get_lpar_metrics(ltm_metrics, adapter, second_latest=False):
"""This method returns LPAR metrics of type LparInfo
:param ltm_metrics: The LTM metrics
:param adapter: The pypowervm adapter.
:param second_latest: (Optional) Defaults to False. If set to True, it
will pull the second to last metric for the return
data.
:return: LparInfo object representing the LPAR metrics. None is returned
if there are no LTM metrics collected.
"""
latest_lpar = _get_metric(ltm_metrics, 'lpar', second_latest=second_latest)
# If there is no current metric, return None for lpar metrics.
lpar_metrics = None
if latest_lpar is not None:
lpar_json = adapter.read_by_href(latest_lpar.link, xag=[]).body
lpar_metrics = lpar_pcm.LparInfo(lpar_json)
return lpar_metrics
def _get_metric(metrics, metric_type, second_latest=False):
filtered = [met for met in metrics if met.category == metric_type]
metrics = sorted(filtered, key=lambda met: met.updated_datetime,
reverse=True)
if second_latest:
return metrics[1] if len(metrics) > 1 else None
else:
return metrics[0] if len(metrics) > 0 else None
def query_ltm_feed(adapter, host_uuid):
"""Will query the long term metrics feed for a given host.
This method is useful due to the difference in nature of the pcm URIs
compared to the standard uom.
PCM URI: ManagedSystem/host_uuid/RawMetrics/LongTermMonitor
:param adapter: The pypowervm adapter.
:param host_uuid: The host system's UUID.
:return: A list of the LTMMetrics. Note that both PHYP and VIOS entries
are returned (assuming both are enabled).
"""
path = pvm_adpt.Adapter.build_path(
pvm_mon.PCM_SERVICE, pvm_ms.System.schema_type, root_id=host_uuid,
child_type=RAW_METRICS, child_id=pvm_mon.LONG_TERM_MONITOR, xag=[])
resp = adapter.read_by_path(path)
return pvm_mon.LTMMetrics.wrap(resp)
def ensure_ltm_monitors(adapter, host_uuid, override_to_default=False,
compute_ltm=False):
"""Ensures that the Long Term Monitors are enabled.
:param adapter: The pypowervm adapter.
:param host_uuid: The host systems UUID.
:param override_to_default: (Optional) If True will ensure that the
defaults are set on the system. This means:
- Short Term Metrics - disabled
- Aggregation - turned on
If left off, the previous values will be
adhered to.
:param compute_ltm: (Optional - Defaults to False) If set, will turn on
only the compute long term metrics, and the VIOS
and network metrics will not be considered.
"""
# Read from the feed. PCM preferences appear to be odd. If you don't
# query the feed or update the feed directly, it will fail. This means
# you can't even query the element or update it direct.
href = adapter.build_href(pvm_ms.System.schema_type, root_id=host_uuid,
child_type=pvm_mon.PREFERENCES,
service=pvm_mon.PCM_SERVICE)
resp = adapter.read_by_href(href)
# Wrap it to our wrapper. There is only one element in the feed.
pref = pvm_mon.PcmPref.wrap(resp)[0]
pref.compute_ltm_enabled = compute_ltm
pref.ltm_enabled = True
if override_to_default:
pref.stm_enabled = False
pref.aggregation_enabled = True
# This updates the backing entry. This is part of the jankiness. We have
# to use the element from the preference, but then the etag from the feed.
adapter.update(pref.entry.element, resp.etag,
pvm_ms.System.schema_type, root_id=host_uuid,
child_type=pvm_mon.PREFERENCES, service=pvm_mon.PCM_SERVICE)
def vm_metrics(phyp, vioses, lpars):
"""Reduces the metrics to a per VM basis.
The metrics returned by PCM are on a global level. The anchor points are
PHYP and the Virtual I/O Servers.
Typical consumption models for metrics are on a 'per-VM' basis. The
dictionary returned contains the LPAR UUID and a LparMetric object. That
object breaks down the PHYP and VIOS statistics to be approached on a LPAR
level.
:param phyp: The PhypInfo for the metrics.
:param vioses: A list of the ViosInfos for the Virtual I/O Server
components.
:param lpars: The LparInfo object representing Lpar metrics collected
via RMC.
:return vm_data: A dictionary where the UUID is the client LPAR UUID, but
the data is a LparMetric for that VM.
Note: Data can not be guaranteed. It may exist in one
sample, but then not in another (ex. VM was powered off
between gathers). Always validate that data is 'not
None' before use.
"""
# If the metrics just started, there may not be data yet. Log this, but
# return no data
if phyp is None:
LOG.warning(_("Metric data is not available. This may be due to "
"the metrics being recently initialized."))
return {}
vm_data = {}
for lpar_sample in phyp.sample.lpars:
lpar_metric = lpar_mon.LparMetric(lpar_sample.uuid)
# Fill in the Processor data.
lpar_metric.processor = lpar_mon.LparProc(lpar_sample.processor)
# Fill in the Memory data.
memory_metric = lpars.find(lpar_sample.uuid) if lpars else None
lpar_metric.memory = lpar_mon.LparMemory(
lpar_sample.memory, memory_metric)
# All partitions require processor and memory. They may not have
# storage (ex. network boot) or they may not have network. Therefore
# these metrics can not be guaranteed like the others.
# Fill in the Network data.
if lpar_sample.network is None:
lpar_metric.network = None
else:
lpar_metric.network = lpar_mon.LparNetwork(lpar_sample.network)
# Fill in the Storage metrics
if lpar_sample.storage is None:
lpar_metric.storage = None
else:
lpar_metric.storage = lpar_mon.LparStorage(lpar_sample.storage,
vioses)
vm_data[lpar_metric.uuid] = lpar_metric
return vm_data
|