2
0
mirror of https://github.com/xcat2/confluent.git synced 2025-01-18 21:53:18 +00:00

339 lines
12 KiB
Python
Raw Normal View History

# Copyright 2014 IBM 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.
import confluent.exceptions as exc
import confluent.interface.console as conapi
import confluent.messages as msg
2013-09-09 13:29:36 -04:00
import eventlet
import eventlet.event
import eventlet.green.threading as threading
import eventlet.greenpool as greenpool
import eventlet.queue
import pyghmi.constants as pygconstants
import pyghmi.ipmi.console as console
import pyghmi.ipmi.command as ipmicommand
import socket
2014-04-21 10:48:18 -04:00
console.session.select = eventlet.green.select
console.session.threading = eventlet.green.threading
2013-09-09 13:29:36 -04:00
_ipmithread = None
_ipmiwaiters = []
2013-09-09 13:29:36 -04:00
2014-04-21 10:48:18 -04:00
2013-09-09 13:29:36 -04:00
def _ipmi_evtloop():
while True:
try:
console.session.Session.wait_for_rsp(timeout=600)
while _ipmiwaiters:
waiter = _ipmiwaiters.pop()
waiter.send()
2014-04-21 10:48:18 -04:00
except: # TODO(jbjohnso): log the trace into the log
import traceback
2014-04-21 10:48:18 -04:00
traceback.print_exc()
2013-09-09 13:29:36 -04:00
def get_conn_params(node, configdata):
if 'secret.hardwaremanagementuser' in configdata:
username = configdata['secret.hardwaremanagementuser']['value']
2013-09-09 13:29:36 -04:00
else:
username = 'USERID'
if 'secret.hardwaremanagementpassphrase' in configdata:
passphrase = configdata['secret.hardwaremanagementpassphrase']['value']
2013-09-09 13:29:36 -04:00
else:
2014-04-21 10:48:18 -04:00
passphrase = 'PASSW0RD' # for lack of a better guess
if 'hardwaremanagement.manager' in configdata:
bmc = configdata['hardwaremanagement.manager']['value']
2013-09-09 13:29:36 -04:00
else:
bmc = node
if 'secret.ipmikg' in configdata:
kg = configdata['secret.ipmikg']['value']
else:
kg = passphrase
#TODO(jbjohnso): check if the end has some number after a : without []
#for non default port
return {
'username': username,
'passphrase': passphrase,
'kg': kg,
'bmc': bmc,
'port': 623,
}
2014-04-21 10:48:18 -04:00
_configattributes = ('secret.hardwaremanagementuser',
2014-04-21 10:48:18 -04:00
'secret.hardwaremanagementpassphrase',
'secret.ipmikg', 'hardwaremanagement.manager')
2013-09-09 13:29:36 -04:00
def _donothing(data):
# a dummy function to avoid some awkward exceptions from
# zombie pyghmi console objects
pass
class IpmiConsole(conapi.Console):
configattributes = frozenset(_configattributes)
def __init__(self, node, config):
2014-04-21 10:48:18 -04:00
self.error = None
self.datacallback = None
2013-09-09 13:29:36 -04:00
crypt = config.decrypt
2014-04-21 10:48:18 -04:00
self.solconnection = None
2013-09-09 13:29:36 -04:00
config.decrypt = True
self.broken = False
configdata = config.get_node_attributes([node], _configattributes)
connparams = get_conn_params(node, configdata[node])
config.decrypt = crypt
2013-09-09 13:29:36 -04:00
self.username = connparams['username']
self.password = connparams['passphrase']
self.kg = connparams['kg']
self.bmc = connparams['bmc']
self.port = connparams['port']
self.connected = False
2013-09-09 13:29:36 -04:00
# Cannot actually create console until 'connect', when we get callback
def __del__(self):
self.solconnection = None
def handle_data(self, data):
if type(data) == dict:
if 'error' in data:
self.solconnection = None
self.broken = True
self.error = data['error']
if self.connected:
self.datacallback(conapi.ConsoleEvent.Disconnect)
else:
self.datacallback(data)
2014-04-21 10:48:18 -04:00
def connect(self, callback):
self.datacallback = callback
# we provide a weak reference to pyghmi as otherwise we'd
# have a circular reference and reference counting would never get
# out...
try:
self.solconnection = console.Console(bmc=self.bmc, port=self.port,
2014-04-21 10:48:18 -04:00
userid=self.username,
password=self.password,
kg=self.kg, force=True,
iohandler=self.handle_data)
while not self.solconnection.connected and not self.broken:
w = eventlet.event.Event()
_ipmiwaiters.append(w)
w.wait()
if self.broken:
break
if self.broken:
if (self.error.startswith('Incorrect password') or
self.error.startswith('Unauthorized name')):
raise exc.TargetEndpointBadCredentials
else:
raise exc.TargetEndpointUnreachable(self.error)
self.connected = True
except socket.gaierror as err:
raise exc.TargetEndpointUnreachable(str(err))
2013-09-09 13:29:36 -04:00
def close(self):
2014-04-21 10:48:18 -04:00
if self.solconnection is not None:
# break the circular reference here
self.solconnection.out_handler = _donothing
self.solconnection = None
self.broken = True
self.error = "closed"
def write(self, data):
self.solconnection.send_data(data)
2013-09-09 13:29:36 -04:00
def send_break(self):
self.solconnection.send_break()
2013-09-09 13:29:36 -04:00
class IpmiIterator(object):
def __init__(self, operator, nodes, element, cfg, inputdata):
self.currdata = None
crypt = cfg.decrypt
cfg.decrypt = True
configdata = cfg.get_node_attributes(nodes, _configattributes)
cfg.decrypt = crypt
self.gpile = greenpool.GreenPile()
for node in nodes:
self.gpile.spawn(perform_request, operator, node, element,
configdata, inputdata, cfg)
def __iter__(self):
return self
def next(self):
if self.currdata is None:
self.currdata = self.gpile.next()
# need to apply any translations between pyghmi and confluent
try:
retdata = self.currdata.next()
except AttributeError:
if hasattr(self.currdata, 'next'):
# the attribute error is not the immediate
# one, raise it to be caught as normal
raise
retdata = self.currdata
self.currdata = None
return retdata
2014-04-21 10:48:18 -04:00
def perform_request(operator, node, element, configdata, inputdata, cfg):
return IpmiHandler(operator, node, element, configdata, inputdata, cfg
2014-04-21 10:48:18 -04:00
).handle_request()
persistent_ipmicmds = {}
2014-04-21 10:48:18 -04:00
class IpmiHandler(object):
def __init__(self, operation, node, element, cfd, inputdata, cfg):
self.broken = False
2014-04-21 10:48:18 -04:00
self.error = None
eventlet.sleep(0)
self.cfg = cfd[node]
self.loggedin = False
self.node = node
self.element = element
self.op = operation
connparams = get_conn_params(node, self.cfg)
self.ipmicmd = None
self.inputdata = inputdata
tenant = cfg.tenant
self._logevt = None
2014-04-21 10:48:18 -04:00
if (node, tenant) not in persistent_ipmicmds:
self._logevt = threading.Event()
2014-04-21 10:48:18 -04:00
persistent_ipmicmds[(node, tenant)] = ipmicommand.Command(
bmc=connparams['bmc'], userid=connparams['username'],
password=connparams['passphrase'], kg=connparams['kg'],
port=connparams['port'], onlogon=self.logged)
2014-04-21 10:48:18 -04:00
self.ipmicmd = persistent_ipmicmds[(node, tenant)]
bootdevices = {
'optical': 'cd'
}
def logged(self, response, ipmicmd):
if 'error' in response:
self.broken = True
self.error = response['error']
else:
self.loggedin = True
self._logevt.set()
def handle_request(self):
if self._logevt is not None:
self._logevt.wait()
self._logevt = None
if self.broken:
if self.error == 'timeout':
raise exc.TargetEndpointUnreachable('Target timed out')
else:
raise Exception(self.error)
2014-04-21 10:48:18 -04:00
if self.element == ['power', 'state']:
return self.power()
2014-04-21 10:48:18 -04:00
elif self.element == ['boot', 'nextdevice']:
return self.bootdevice()
2014-04-21 10:48:18 -04:00
elif self.element == ['health', 'hardware']:
return self.health()
2014-04-21 10:48:18 -04:00
@staticmethod
def _str_health(health):
if pygconstants.Health.Failed & health:
health = 'failed'
elif pygconstants.Health.Critical & health:
health = 'critical'
elif pygconstants.Health.Warning & health:
health = 'warning'
else:
health = 'ok'
return health
def _dict_sensor(self, pygreading):
2014-04-21 10:48:18 -04:00
retdict = {'name': pygreading.name, 'value': pygreading.value,
'states': pygreading.states,
'health': self._str_health(pygreading.health)}
return retdict
def health(self):
if 'read' == self.op:
response = self.ipmicmd.get_health()
health = response['health']
health = self._str_health(health)
yield msg.HealthSummary(health, self.node)
if 'badreadings' in response:
badsensors = []
for reading in response['badreadings']:
badsensors.append(self._dict_sensor(reading))
yield msg.SensorReadings(badsensors, name=self.node)
else:
raise exc.InvalidArgumentException('health is read-only')
def bootdevice(self):
if 'read' == self.op:
bootdev = self.ipmicmd.get_bootdev()
if bootdev['bootdev'] in self.bootdevices:
bootdev['bootdev'] = self.bootdevices[bootdev['bootdev']]
return msg.BootDevice(node=self.node,
2014-04-21 10:48:18 -04:00
device=bootdev['bootdev'])
elif 'update' == self.op:
bootdev = self.inputdata.bootdevice(self.node)
bootdev = self.ipmicmd.set_bootdev(bootdev)
if bootdev['bootdev'] in self.bootdevices:
bootdev['bootdev'] = self.bootdevices[bootdev['bootdev']]
return msg.BootDevice(node=self.node,
2014-04-21 10:48:18 -04:00
device=bootdev['bootdev'])
def power(self):
if 'read' == self.op:
power = self.ipmicmd.get_power()
return msg.PowerState(node=self.node,
state=power['powerstate'])
elif 'update' == self.op:
powerstate = self.inputdata.powerstate(self.node)
#TODO: call with wait argument
self.ipmicmd.set_power(powerstate)
power = self.ipmicmd.get_power()
return msg.PowerState(node=self.node,
state=power['powerstate'])
def initthread():
global _ipmithread
if _ipmithread is None:
_ipmithread = eventlet.spawn(_ipmi_evtloop)
def create(nodes, element, configmanager, inputdata):
initthread()
2014-04-21 10:48:18 -04:00
if element == ['_console', 'session']:
2013-09-09 13:29:36 -04:00
if len(nodes) > 1:
raise Exception("_console/session does not support multiple nodes")
return IpmiConsole(nodes[0], configmanager)
2013-09-09 13:29:36 -04:00
else:
return IpmiIterator('update', nodes, element, configmanager, inputdata)
2014-04-21 10:48:18 -04:00
def update(nodes, element, configmanager, inputdata):
initthread()
return create(nodes, element, configmanager, inputdata)
2013-09-09 13:29:36 -04:00
def retrieve(nodes, element, configmanager, inputdata):
initthread()
return IpmiIterator('read', nodes, element, configmanager, inputdata)