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 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400
|
# Copyright 2013 IBM Corporation
# Copyright 2015-2017 Lenovo
#
# 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 represents the low layer message framing portion of IPMI"""
import collections
import hashlib
import hmac
import os
import random
import select
import socket
import struct
import threading
from cryptography.hazmat.backends import default_backend
from cryptography.hazmat.primitives.ciphers import algorithms
from cryptography.hazmat.primitives.ciphers import Cipher
from cryptography.hazmat.primitives.ciphers import modes
import pyghmi.exceptions as exc
from pyghmi.ipmi.private import constants
from pyghmi.ipmi.private import util
from pyghmi.ipmi.private.util import _monotonic_time
from pyghmi.ipmi.private.util import get_ipmi_error
KEEPALIVE_SESSIONS = threading.RLock()
WAITING_SESSIONS = threading.RLock()
try:
dict.iteritems
def dictitems(d):
return d.iteritems()
except AttributeError:
def dictitems(d):
return d.items()
# minimum timeout for first packet to retry in any given
# session. This will be randomized to stagger out retries
# in case of congestion
initialtimeout = 0.5
ioqueue = collections.deque([])
ipv6support = None
selectdeadline = 0
running = True
# no more than this many BMCs will share a socket
# this could be adjusted based on rmem_max
# value, leading to fewer filehandles
MAX_BMCS_PER_SOCKET = 64
# maximum time to allow idle, more than this and BMC may assume
MAX_IDLE = 29
# incorrect idle
sessionqueue = collections.deque([])
try:
IPPROTO_IPV6 = socket.IPPROTO_IPV6
except AttributeError:
IPPROTO_IPV6 = 41 # This is the Win32 version of IPPROTO_IPV6, the only
# platform where python *doesn't* have this in socket that pyghmi is
# targetting.
def _aespad(data):
"""ipmi demands a certain pad scheme, per table 13-20 AES-CBC encrypted
payload fields.
"""
currlen = len(data) + 1 # need to count the pad length field as well
neededpad = currlen % 16
if neededpad: # if it happens to be zero, hurray, but otherwise invert the
# sense of the padding
neededpad = 16 - neededpad
padval = 1
pad = bytearray(neededpad)
while padval <= neededpad:
pad[padval - 1] = padval
padval += 1
pad.append(neededpad)
return pad
def _checksum(*data): # Two's complement over the data
csum = sum(data)
csum ^= 0xff
csum += 1
csum &= 0xff
return csum
class Session(object):
"""A class to manage common IPMI session logistics
Almost all developers should not worry about this class and instead be
looking toward ipmi.Command and ipmi.Console.
For those that do have to worry, the main interesting thing is that the
event loop can go one of two ways. Either a larger manager can query using
class methods
the soonest timeout deadline and the filehandles to poll and assume
responsibility for the polling, or it can register filehandles to be
watched. This is primarily of interest to Console class, which may have an
input filehandle to watch and can pass it to Session.
:param bmc: hostname or ip address of the BMC
:param userid: username to use to connect
:param password: password to connect to the BMC
:param kg: optional parameter if BMC requires Kg be set
:param port: UDP port to communicate with, pretty much always 623
:param onlogon: callback to receive notification of login completion
"""
bmc_handlers = {}
waiting_sessions = {}
initting_sessions = {}
keepalive_sessions = {}
peeraddr_to_nodes = {}
iterwaiters = []
# NOTE(jbjohnso):
# socketpool is a mapping of sockets to usage count
socketpool = {}
# this will be a lock. Delay the assignment so that a calling framework
# can do something like reassign our threading and select modules
socketchecking = None
# Maintain single Cryptography backend for all IPMI sessions (seems to be
# thread-safe)
_crypto_backend = default_backend()
@classmethod
def _cleanup(cls):
for sesskey in list(cls.bmc_handlers):
for portent in list(cls.bmc_handlers[sesskey]):
session = cls.bmc_handlers[sesskey][portent]
session.cleaningup = True
session.logout()
@classmethod
def _assignsocket(cls, server=None):
global ipv6support
if ipv6support:
tmpsocket = socket.socket(socket.AF_INET6, socket.SOCK_DGRAM)
tmpsocket.setsockopt(IPPROTO_IPV6, socket.IPV6_V6ONLY, 0)
elif ipv6support is None: # we need to determine ipv6 support now
try:
tmpsocket = socket.socket(socket.AF_INET6, socket.SOCK_DGRAM)
tmpsocket.setsockopt(IPPROTO_IPV6, socket.IPV6_V6ONLY, 0)
ipv6support = True
except socket.error:
ipv6support = False
tmpsocket = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
else:
tmpsocket = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
tmpsocket.bind(('', 0))
return tmpsocket
def _sync_login(self, response):
"""Handle synchronous callers in lieu of a client-provided callback"""
# Be a stub, the __init__ will catch and respond to ensure response
# is given in the same thread as was called
return
@classmethod
def _is_session_valid(cls, session):
with util.protect(KEEPALIVE_SESSIONS):
sess = cls.keepalive_sessions.get(session, None)
if sess is not None and 'timeout' in sess:
if sess['timeout'] < _monotonic_time() - 15:
# session would have timed out by now, don't use it
return False
return not session.broken
def __init__(self,
bmc,
userid,
password,
port=623,
kg=None,
onlogon=None,
privlevel=None,
keepalive=True):
self.broken = False
self.socket = None
self.logged = 0
if privlevel is not None:
self.privlevel = privlevel
self.autopriv = False
else:
self.privlevel = 4
self.autopriv = True
self.logoutexpiry = None
self.autokeepalive = keepalive
self.maxtimeout = 3 # be aggressive about giving up on initial packet
self.incommand = False
self.nameonly = 16 # default to name only lookups in RAKP exchange
self.servermode = False
self.initialized = True
self.cleaningup = False
self.lastpayload = None
self._customkeepalives = None
# queue of events denoting line to run a cmd
self.evq = collections.deque([])
self.bmc = bmc
# a private queue for packets for which this session handler
# is destined to receive
self.pktqueue = collections.deque([])
try:
self.userid = userid.encode('utf-8')
self.password = password.encode('utf-8')
except AttributeError:
self.userid = userid
self.password = password
self.nowait = False
self.pendingpayloads = collections.deque([])
self.request_entry = []
self.kgo = kg
if kg is not None:
try:
kg = kg.encode('utf-8')
except AttributeError:
pass
self.kg = kg
else:
self.kg = self.password
self.port = port
if onlogon is None:
self.async_ = False
self.logonwaiters = [self._sync_login]
else:
self.async_ = True
self.logonwaiters = [onlogon]
if self.__class__.socketchecking is None:
self.__class__.socketchecking = threading.Lock()
with self.socketchecking:
self.socket = self._assignsocket()
self.login()
while self.logging:
self.wait_for_rsp()
if self.broken:
raise exc.IpmiException(self.errormsg)
def _mark_broken(self, error=None):
# since our connection has failed retries
# deregister our keepalive facility
self.lastpayload = None
self.logout(False)
self.logging = False
self.errormsg = error
if not self.broken:
self.broken = True
def onlogon(self, parameter):
if 'error' in parameter:
self._mark_broken(parameter['error'])
while self.logonwaiters:
waiter = self.logonwaiters.pop()
waiter(parameter)
def _initsession(self):
# NOTE(jbjohnso): this number can be whatever we want.
# I picked 'xCAT' minus 1 so that a hexdump of packet
# would show xCAT
self.localsid = 2017673555
self.confalgo = 0
self.aeskey = None
self.integrityalgo = 0
self.attemptedhash = 256
self.currhashlib = None
self.currhashlen = 0
self.k1 = None
self.rmcptag = 1
self.lastpayload = None
self.ipmicallback = None
self.sessioncontext = None
self.sequencenumber = 0
self.sessionid = 0
self.authtype = 0
self.ipmiversion = 1.5
self.timeout = initialtimeout + (0.5 * random.random())
self.logoutexpiry = _monotonic_time() + self._getmaxtimeout()
self.rqlun = 0
self.seqlun = 0
# NOTE(jbjohnso): per IPMI table 5-4, software ids in the ipmi spec may
# be 0x81 through 0x8d. We'll stick with 0x81 for now,
# do not forsee a reason to adjust
self.rqaddr = 0x81
self.logging = True
self.logged = 0
# NOTE(jbjohnso): when we confirm a working sockaddr, put it here to
# skip getaddrinfo
self.sockaddr = None
# NOTE(jbjohnso): this tracks netfn,command,seqlun combinations that
# were retried so that we don't loop around and reuse
# the same request data and cause potential ambiguity
# in return
self.tabooseq = {}
# NOTE(jbjohnso): default to supporting ipmi 2.0. Strictly by spec,
# this should gracefully be backwards compat, but some
# 1.5 implementations checked reserved bits
self.ipmi15only = 0
self.sol_handler = None
# NOTE(jbjohnso): This is the callback handler for any SOL payload
def _make_bridge_request_msg(self, channel, netfn, command):
"""This function generate message for bridge request. It is a
part of ipmi payload.
"""
head = bytearray((constants.IPMI_BMC_ADDRESS,
constants.netfn_codes['application'] << 2))
check_sum = _checksum(*head)
# NOTE(fengqian): according IPMI Figure 14-11, rqSWID is set to 81h
boday = bytearray((0x81, (self.seqlun << 2) | self.rqlun,
constants.IPMI_SEND_MESSAGE_CMD, 0x40 | channel))
# NOTE(fengqian): Track request
self._add_request_entry((constants.netfn_codes['application'] + 1,
self.seqlun, constants.IPMI_SEND_MESSAGE_CMD))
return head + bytearray((check_sum,)) + boday
def _add_request_entry(self, entry=()):
"""This function record the request with netfn, sequence number and
command, which will be used in parse_ipmi_payload.
:param entry: a set of netfn, sequence number and command.
"""
if not self._lookup_request_entry(entry):
self.request_entry.append(entry)
def _lookup_request_entry(self, entry=()):
return entry in self.request_entry
def _remove_request_entry(self, entry=()):
if self._lookup_request_entry(entry):
self.request_entry.remove(entry)
def _make_ipmi_payload(self, netfn, command, bridge_request=None, data=(),
rslun=0):
"""This function generates the core ipmi payload that would be
applicable for any channel (including KCS)
"""
bridge_msg = []
self.expectedcmd = command
# in ipmi, the response netfn is always one
self.expectednetfn = netfn + 1
# higher than the request payload, we assume
# we are always the requestor for now
seqincrement = 7 # IPMI spec forbids gaps bigger then 7 in seq number.
# Risk the taboo rather than violate the rules
while (not self.servermode
and (netfn, command, self.seqlun) in self.tabooseq
and self.tabooseq[(netfn, command, self.seqlun)]
and seqincrement):
self.tabooseq[(self.expectednetfn, command, self.seqlun)] -= 1
# Allow taboo to eventually expire after a few rounds
self.seqlun += 1 # the last two bits are lun, so add 4 to add 1
self.seqlun &= 0x3f # we only have one byte, wrap when exceeded
seqincrement -= 1
if bridge_request:
addr = bridge_request.get('addr', 0x0)
channel = bridge_request.get('channel', 0x0)
bridge_msg = self._make_bridge_request_msg(channel, netfn, command)
# NOTE(fengqian): For bridge request, rsaddr is specified and
# rqaddr is BMC address.
rqaddr = constants.IPMI_BMC_ADDRESS
rsaddr = addr
else:
rqaddr = self.rqaddr
rsaddr = constants.IPMI_BMC_ADDRESS
if self.servermode:
rsaddr = self.clientaddr
# figure 13-4, first two bytes are rsaddr and
# netfn, for non-bridge request, rsaddr is always 0x20 since we are
# addressing BMC while rsaddr is specified forbridge request
header = bytearray((rsaddr, (netfn << 2) | rslun))
reqbody = bytearray((
rqaddr, (self.seqlun << 2) | self.rqlun, command)) + data
headsum = bytearray((_checksum(*header),))
bodysum = bytearray((_checksum(*reqbody),))
payload = header + headsum + reqbody + bodysum
if bridge_request:
payload = bridge_msg + payload
# NOTE(fengqian): For bridge request, another check sum is needed.
tail_csum = _checksum(*payload[3:])
payload.append(tail_csum)
if not self.servermode:
self._add_request_entry((self.expectednetfn, self.seqlun, command))
return payload
def _generic_callback(self, response):
errorstr = get_ipmi_error(response)
if errorstr:
response['error'] = errorstr
self.lastresponse = response
def _isincommand(self):
if self.incommand:
stillin = self.incommand - _monotonic_time()
if stillin > 0:
return stillin
else:
self.lastpayload = None
return 0
def _getmaxtimeout(self):
cumulativetime = 0
incrementtime = self.timeout
while incrementtime < self.maxtimeout:
cumulativetime += incrementtime
incrementtime += 1
return cumulativetime + 1
def _cmdwait(self):
while self._isincommand():
self.wait_for_rsp()
def awaitresponse(self, retry):
while retry and self.lastresponse is None and self.logged:
timeout = 30.0 # self.expiration - _monotonic_time()
select.select([self.socket], [], [], timeout)
while self.iterwaiters:
waiter = self.iterwaiters.pop()
waiter({'success': True})
self.process_pktqueue()
def raw_command(self,
netfn,
command,
bridge_request=None,
data=(),
retry=True,
delay_xmit=None,
timeout=None,
callback=None,
rslun=0):
if not self.logged:
if (self.logoutexpiry is not None
and _monotonic_time() > self.logoutexpiry):
self._mark_broken()
raise exc.IpmiException('Session no longer connected')
self._cmdwait()
if not self.logged:
raise exc.IpmiException('Session no longer connected')
self.incommand = _monotonic_time() + self._getmaxtimeout()
self.lastresponse = None
if callback is None:
self.ipmicallback = self._generic_callback
else:
self.ipmicallback = callback
self._send_ipmi_net_payload(netfn, command, data,
bridge_request=bridge_request,
retry=retry, delay_xmit=delay_xmit,
timeout=timeout, rslun=rslun)
if retry: # in retry case, let the retry timers indicate wait time
timeout = None
else: # if not retry, give it a second before surrending
timeout = 1
if callback:
# caller *must* clean up self.incommand and self.evq
return
# The event loop is shared amongst pyghmi session instances
# within a process. In this way, synchronous usage of the interface
# plays well with asynchronous use. In fact, this produces the
# behavior of only the constructor needing a callback. From then on,
# synchronous usage of the class acts in a greenthread style governed
# by order of data on the network
self.awaitresponse(retry)
lastresponse = self.lastresponse
self.incommand = False
while self.evq:
self.evq.popleft().set()
if retry and lastresponse is None:
raise exc.IpmiException('Session no longer connected')
return lastresponse
def _send_ipmi_net_payload(self, netfn=None, command=None, data=(), code=0,
bridge_request=None,
retry=None, delay_xmit=None, timeout=None,
rslun=0):
if retry is None:
retry = not self.servermode
if self.servermode:
data = bytearray((code,)) + bytearray(data)
if netfn is None:
netfn = self.clientnetfn
if command is None:
command = self.clientcommand
else:
data = bytearray(data)
ipmipayload = self._make_ipmi_payload(netfn, command, bridge_request,
data, rslun)
payload_type = constants.payload_types['ipmi']
self.send_payload(payload=ipmipayload, payload_type=payload_type,
retry=retry, delay_xmit=delay_xmit, timeout=timeout)
def send_payload(self, payload=(), payload_type=None, retry=True,
delay_xmit=None, needskeepalive=False, timeout=None):
"""Send payload over the IPMI Session
:param needskeepalive: If the payload is expected not to count as
'active' by the BMC, set this to True
to avoid Session considering the
job done because of this payload.
Notably, 0-length SOL packets
are prone to confusion.
:param timeout: Specify a custom timeout for long-running request
"""
if payload and self.lastpayload:
# we already have a packet outgoing, make this
# a pending payload
# this way a simplistic BMC won't get confused
# and we also avoid having to do more complicated
# retry mechanism where each payload is
# retried separately
self.pendingpayloads.append((payload, payload_type, retry))
return
if payload_type is None:
payload_type = self.last_payload_type
if not payload:
payload = self.lastpayload
message = bytearray(b'\x06\x00\xff\x07') # constant IPMI RMCP header
if retry:
self.lastpayload = payload
self.last_payload_type = payload_type
if not isinstance(payload, bytearray):
payload = bytearray(payload)
message.append(self.authtype)
baretype = payload_type
if self.integrityalgo:
payload_type |= 0b01000000
if self.confalgo:
payload_type |= 0b10000000
if self.ipmiversion == 2.0:
message.append(payload_type)
if baretype == 2:
# TODO(jbjohnso): OEM payload types
raise NotImplementedError("OEM Payloads")
elif baretype not in constants.payload_types.values():
raise NotImplementedError(
"Unrecognized payload type %d" % baretype)
message += struct.pack("<I", self.sessionid)
message += struct.pack("<I", self.sequencenumber)
if self.ipmiversion == 1.5:
message += struct.pack("<I", self.sessionid)
if not self.authtype == 0:
message += self._ipmi15authcode(payload)
message.append(len(payload))
message += payload
# Guessing the ipmi spec means the whole
totlen = 34 + len(message)
# packet and assume no tag in old 1.5 world
if totlen in (56, 84, 112, 128, 156):
message.append(0) # Legacy pad as mandated by ipmi spec
elif self.ipmiversion == 2.0:
psize = len(payload)
if self.confalgo:
pad = (psize + 1) % 16 # pad has to cope with one byte
# field like the _aespad function
if pad: # if no pad needed, then we take no more action
pad = 16 - pad
# new payload size grew according to pad
newpsize = psize + pad + 17
# size, plus pad length, plus 16 byte IV
# (Table 13-20)
message.append(newpsize & 0xff)
message.append(newpsize >> 8)
iv = os.urandom(16)
message += iv
payloadtocrypt = bytes(payload + _aespad(payload))
crypter = Cipher(
algorithm=algorithms.AES(self.aeskey),
mode=modes.CBC(iv),
backend=self._crypto_backend
)
encryptor = crypter.encryptor()
message += encryptor.update(payloadtocrypt
) + encryptor.finalize()
else: # no confidetiality algorithm
message.append(psize & 0xff)
message.append(psize >> 8)
message += payload
if self.integrityalgo: # see table 13-8,
# RMCP+ packet format
# TODO(jbjohnso): SHA256 which is now
# allowed
neededpad = (len(message) - 2) % 4
if neededpad:
neededpad = 4 - neededpad
message += b'\xff' * neededpad
message.append(neededpad)
message.append(7) # reserved, 7 is the required value for the
# specification followed
message += hmac.new(
self.k1, bytes(message[4:]),
self.currhashlib).digest()[:self.currhashlen]
# per RFC2404 truncates to 96 bits
self.netpacket = message
# advance idle timer since we don't need keepalive while sending
# packets out naturally
self._xmit_packet(retry, delay_xmit=delay_xmit, timeout=timeout)
def _ipmi15authcode(self, payload, checkremotecode=False):
# checkremotecode is used to verify remote code,
# otherwise this function is used to general authcode for local
if self.authtype == 0:
# Only for things before auth in ipmi 1.5, not
# like 2.0 cipher suite 0
return ()
password = self.password
padneeded = 16 - len(password)
if padneeded < 0:
raise exc.IpmiException("Password is too long for ipmi 1.5")
password += '\x00' * padneeded
if checkremotecode:
seqbytes = struct.pack("<I", self.remseqnumber)
else:
seqbytes = struct.pack("<I", self.sequencenumber)
sessdata = struct.pack("<I", self.sessionid)
bodydata = password + sessdata + payload + seqbytes + password
dgst = hashlib.md5(bodydata).digest()
return dgst
def _got_channel_auth_cap(self, response):
if 'error' in response:
self.onlogon(response)
return
self.maxtimeout = 6 # we have a confirmed bmc, be more tenacious
if response['code'] == 0xcc and self.ipmi15only is not None:
# tried ipmi 2.0 against a 1.5 which should work, but some bmcs
# thought 'reserved' meant 'must be zero'
self.ipmi15only = 1
return self._get_channel_auth_cap()
mysuffix = " while trying to get channel authentication capabalities"
errstr = get_ipmi_error(response, suffix=mysuffix)
if errstr:
self.onlogon({'error': errstr})
return
data = response['data']
self.currentchannel = data[0]
if data[1] & 0b10000000 and data[3] & 0b10: # ipmi 2.0 support
self.ipmiversion = 2.0
if self.ipmiversion == 1.5:
if not (data[1] & 0b100):
self.onlogon(
{'error':
"MD5 required but not enabled/available on target BMC"})
return
self._get_session_challenge()
elif self.ipmiversion == 2.0:
self._open_rmcpplus_request()
def _got_session_challenge(self, response):
errstr = get_ipmi_error(response,
suffix=" while getting session challenge")
if errstr:
self.onlogon({'error': errstr})
return
data = response['data']
self.sessionid = struct.unpack("<I", bytes(data[0:4]))[0]
self.authtype = 2
self._activate_session(data[4:])
# NOTE(jbjohnso):
# This sends the activate session payload. We pick '1' as the requested
# sequence number without perturbing our real sequence number
def _activate_session(self, data):
rqdata = [2, 4] + list(data) + [1, 0, 0, 0]
# TODO(jbjohnso): this always requests admin level (1.5)
self.ipmicallback = self._activated_session
self._send_ipmi_net_payload(netfn=0x6, command=0x3a, data=rqdata)
def _activated_session(self, response):
errstr = get_ipmi_error(response)
if errstr:
self.onlogon({'error': errstr})
return
data = response['data']
self.sessionid = struct.unpack("<I", bytes(data[1:5]))[0]
self.sequencenumber = struct.unpack("<I", bytes(data[5:9]))[0]
self._req_priv_level()
def _req_priv_level(self):
self.logged = 1
self.logoutexpiry = None
response = self.raw_command(netfn=0x6, command=0x3b,
data=[self.privlevel])
if response['code']:
if response['code'] in (0x80, 0x81) and self.privlevel == 4:
# some implementations will let us get this far,
# but suddenly get skiddish. Try again in such a case
self.privlevel = 3
response = self.raw_command(netfn=0x6, command=0x3b,
data=[self.privlevel])
if response['code']:
self.logged = 0
self.logging = False
mysuffix = " while requesting privelege level %d for %s" % (
self.privlevel, self.userid)
errstr = get_ipmi_error(response, suffix=mysuffix)
if errstr:
self.onlogon({'error': errstr})
return
self.logging = False
with util.protect(KEEPALIVE_SESSIONS):
Session.keepalive_sessions[self] = {}
Session.keepalive_sessions[self]['ipmisession'] = self
Session.keepalive_sessions[self]['timeout'] = _monotonic_time() + \
MAX_IDLE - (random.random() * 4.9)
self.onlogon({'success': True})
def _get_session_challenge(self):
reqdata = bytearray([2])
if len(self.userid) > 16:
raise exc.IpmiException(
"Username too long for IPMI, must not exceed 16")
padneeded = 16 - len(self.userid)
userid = self.userid + ('\x00' * padneeded)
reqdata += userid
self.ipmicallback = self._got_session_challenge
self._send_ipmi_net_payload(netfn=0x6, command=0x39, data=reqdata)
def _open_rmcpplus_request(self):
self.authtype = 6
# have unique local session ids to ignore aborted
# login attempts from the past
self.localsid += 1
self.rmcptag += 1
data = bytearray([
self.rmcptag,
0, # request as much privilege as the channel will give us
0, 0, # reserved
])
data += struct.pack("<I", self.localsid)
# auth 3 sha256
# integrity... 4 = sha256
if self.attemptedhash == 1:
data += bytearray([
0, 0, 0, 8, 1, 0, 0, 0, # table 13-17, SHA-1
1, 0, 0, 8, 1, 0, 0, 0, # SHA-1 integrity
2, 0, 0, 8, 1, 0, 0, 0, # AES privacy
# 2,0,0,8,0,0,0,0, #no privacy confalgo
])
self.currhashlib = hashlib.sha1
self.currhashlen = 12
else:
data += bytearray([
0, 0, 0, 8, 3, 0, 0, 0, # table 13-17, SHA-256
1, 0, 0, 8, 4, 0, 0, 0, # SHA-256-128 integrity
2, 0, 0, 8, 1, 0, 0, 0, # AES privacy
# 2,0,0,8,0,0,0,0, #no privacy confalgo
])
self.currhashlib = hashlib.sha256
self.currhashlen = 16
self.sessioncontext = 'OPENSESSION'
self.lastpayload = None
self.send_payload(
payload=data,
payload_type=constants.payload_types['rmcpplusopenreq'])
def _get_channel_auth_cap(self):
self.ipmicallback = self._got_channel_auth_cap
if self.ipmi15only:
self._send_ipmi_net_payload(netfn=0x6,
command=0x38,
data=[0x0e, self.privlevel])
else:
self._send_ipmi_net_payload(netfn=0x6,
command=0x38,
data=[0x8e, self.privlevel])
def login(self):
self.logontries = 5
self._initsession()
self._get_channel_auth_cap()
@classmethod
def pause(cls, timeout):
starttime = _monotonic_time()
while _monotonic_time() - starttime < timeout:
cls.wait_for_rsp(timeout - (_monotonic_time() - starttime))
def wait_for_rsp(self, timeout=None, callout=True):
"""IPMI Session Event loop iteration
This watches for any activity on IPMI handles and handles registered
by register_handle_callback. Callers are satisfied in the order that
packets return from network, not in the order of calling.
:param timeout: Maximum time to wait for data to come across. If
unspecified, will autodetect based on earliest timeout
"""
rdy = select.select([self.socket], [], [], timeout)[0]
if rdy:
self.process_pktqueue()
def register_keepalive(self, cmd, callback):
"""Register custom keepalive IPMI command
This is mostly intended for use by the console code.
calling code would have an easier time just scheduling in their
own threading scheme. Such a behavior would naturally cause
the default keepalive to not occur anyway if the calling code
is at least as aggressive about timing as pyghmi
:param cmd: A dict of arguments to be passed into raw_command
:param callback: A function to be called with results of the keepalive
:returns: value to identify registration for unregister_keepalive
"""
regid = random.random()
if self._customkeepalives is None:
self._customkeepalives = {regid: (cmd, callback)}
else:
while regid in self._customkeepalives:
regid = random.random()
self._customkeepalives[regid] = (cmd, callback)
return regid
def unregister_keepalive(self, regid):
if self._customkeepalives is None:
return
try:
del self._customkeepalives[regid]
except KeyError:
pass
def _keepalive_wrapper(self, callback):
# generates a wrapped keepalive to cleanup session state
# and call callback if appropriate
def _keptalive(response):
self._generic_callback(response)
response = self.lastresponse
self.incommand = False
while self.evq:
self.evq.popleft().set()
if callback:
callback(response)
return _keptalive
def _keepalive(self):
"""Performs a keepalive to avoid idle disconnect"""
try:
keptalive = False
if self._customkeepalives:
kaids = list(self._customkeepalives.keys())
for keepalive in kaids:
try:
cmd, callback = self._customkeepalives[keepalive]
except TypeError:
# raw_command made customkeepalives None
break
except KeyError:
# raw command ultimately caused a keepalive to
# deregister
continue
if callable(cmd):
cmd()
continue
keptalive = True
cmd['callback'] = self._keepalive_wrapper(callback)
self.raw_command(**cmd)
if not keptalive:
if self.incommand:
# if currently in command, no cause to keepalive
return
if self.autokeepalive:
self.raw_command(netfn=6, command=1,
callback=self._keepalive_wrapper(None))
else:
self.logout()
except exc.IpmiException:
self._mark_broken()
def process_pktqueue(self):
ready = select.select([self.socket], [], [], 0.0)[0]
while ready:
pkt = self.socket.recvfrom(3000)
ready = select.select([self.socket], [], [], 0.0)[0]
data = bytearray(pkt[0])
if not (data[0] == 6 and data[2:4] == b'\xff\x07'):
continue
# this should be in specific context, no need to check port
# since recvfrom result was already routed to this object
# specifically
self._handle_ipmi_packet(data, sockaddr=pkt[1], qent=pkt)
def _handle_ipmi_packet(self, data, sockaddr=None, qent=None):
if self.sockaddr is None and sockaddr is not None:
self.sockaddr = sockaddr
elif (self.sockaddr is not None
and sockaddr is not None
and self.sockaddr != sockaddr):
return # here, we might have sent an ipv4 and ipv6 packet to kick
# things off ignore the second reply since we have one
# satisfactory answer
if data[4] in (0, 2): # This is an ipmi 1.5 paylod
remseqnumber = struct.unpack('<I', bytes(data[5:9]))[0]
remsessid = struct.unpack("<I", bytes(data[9:13]))[0]
if (hasattr(self, 'remseqnumber')
and remseqnumber < self.remseqnumber):
return -5 # remote sequence number is too low, reject it
self.remseqnumber = remseqnumber
if data[4] != self.authtype:
# BMC responded with mismatch authtype, for
# mutual authentication reject it. If this causes
# legitimate issues, it's the vendor's fault
return -2
if remsessid != self.sessionid:
return -1 # does not match our session id, drop it
authcode = False
if data[4] == 2: # we have authcode in this ipmi 1.5 packet
authcode = data[13:29]
del data[13:29]
# this is why we needed a mutable representation
payload = data[14:14 + data[13]]
if authcode:
expectedauthcode = self._ipmi15authcode(payload,
checkremotecode=True)
if expectedauthcode != authcode:
return
self._parse_ipmi_payload(payload)
elif data[4] == 6:
self._handle_ipmi2_packet(data)
else:
return # unrecognized data, assume evil
def _got_rakp1(self, data):
# stub, client sessions ignore rakp2
pass
def _got_rakp3(self, data):
# stub, client sessions ignore rakp3
pass
def _got_rmcp_openrequest(self, data):
pass
def _handle_ipmi2_packet(self, data):
ptype = data[5] & 0b00111111
# the first 16 bytes are header information as can be seen in 13-8 that
# we will toss out
if ptype == 0x10:
return self._got_rmcp_openrequest(data[16:])
elif ptype == 0x11: # rmcp+ response
return self._got_rmcp_response(data[16:])
elif ptype == 0x12:
return self._got_rakp1(data[16:])
elif ptype == 0x13:
return self._got_rakp2(data[16:])
elif ptype == 0x14:
return self._got_rakp3(data[16:])
elif ptype == 0x15:
return self._got_rakp4(data[16:])
elif ptype == 0 or ptype == 1: # good old ipmi payload or sol
# If endorsing a shared secret scheme, then at the very least it
# needs to do mutual assurance
if not (data[5] & 0b01000000): # This would be the line that might
# trip up some insecure BMC
# implementation
return
encrypted = 0
if data[5] & 0b10000000:
encrypted = 1
authcode = data[-self.currhashlen:]
if self.k1 is None: # we are in no shape to process a packet now
return
expectedauthcode = hmac.new(
self.k1, data[4:-self.currhashlen],
self.currhashlib).digest()[:self.currhashlen]
if authcode != expectedauthcode:
return # BMC failed to assure integrity to us, drop it
sid = struct.unpack("<I", bytes(data[6:10]))[0]
if sid != self.localsid: # session id mismatch, drop it
return
remseqnumber = struct.unpack("<I", bytes(data[10:14]))[0]
if (hasattr(self, 'remseqnumber')
and (remseqnumber < self.remseqnumber)
and (self.remseqnumber != 0xffffffff)):
return
self.remseqnumber = remseqnumber
psize = data[14] + (data[15] << 8)
payload = data[16:16 + psize]
if encrypted:
iv = data[16:32]
crypter = Cipher(
algorithm=algorithms.AES(self.aeskey),
mode=modes.CBC(bytes(iv)),
backend=self._crypto_backend
)
decryptor = crypter.decryptor()
payload = bytearray(decryptor.update(bytes(payload[16:])
) + decryptor.finalize())
padsize = payload[-1] + 1
payload = payload[:-padsize]
if ptype == 0:
self._parse_ipmi_payload(payload)
elif ptype == 1: # There should be no other option
if (payload[1] & 0b1111) and self.last_payload_type == 1:
# for ptype 1, the 4 least significant bits of 2nd byte
# is the ACK number.
# if it isn't an ACK at all, we'll keep retrying, however
# if it's a subtle SOL situation (partial ACK, wrong ACK)
# then sol_handler will have to resubmit and we will
# stop the generic retry behavior here
self.lastpayload = None
self.last_payload_type = None
with util.protect(WAITING_SESSIONS):
Session.waiting_sessions.pop(self, None)
if len(self.pendingpayloads) > 0:
(nextpayload, nextpayloadtype, retry) = \
self.pendingpayloads.popleft()
self.send_payload(payload=nextpayload,
payload_type=nextpayloadtype,
retry=retry)
if self.sol_handler:
self.sol_handler(payload)
def _got_rmcp_response(self, data):
# see RMCP+ open session response table
if not (self.sessioncontext and self.sessioncontext != "Established"):
return -9
# ignore payload as we are not in a state valid it
if data[0] != self.rmcptag:
return -9 # use rmcp tag to track and reject stale responses
if data[1] != 0: # response code...
if self.attemptedhash == 256:
self.attemptedhash = 1
self._open_rmcpplus_request()
return
if data[1] in constants.rmcp_codes:
errstr = constants.rmcp_codes[data[1]]
else:
errstr = "Unrecognized RMCP code %d" % data[1]
self.onlogon({'error': errstr})
return -9
self.allowedpriv = data[2]
# NOTE(jbjohnso): At this point, the BMC has no idea about what user
# shall be used. As such, the allowedpriv field is actually
# not particularly useful. got_rakp2 is a good place to
# gracefully detect and downgrade privilege for retry
localsid = struct.unpack("<I", bytes(data[4:8]))[0]
if self.localsid != localsid:
return -9
self.pendingsessionid = struct.unpack("<I", bytes(data[8:12]))[0]
# TODO(jbjohnso): currently, we take it for granted that the responder
# accepted our integrity/auth/confidentiality proposal
self.lastpayload = None
self._send_rakp1()
def _send_rakp1(self):
self.rmcptag += 1
self.randombytes = os.urandom(16)
userlen = len(self.userid)
payload = bytearray([self.rmcptag, 0, 0, 0]) + \
struct.pack("<I", self.pendingsessionid) + \
self.randombytes +\
bytearray([self.nameonly | self.privlevel, 0, 0, userlen]) + \
self.userid
self.sessioncontext = "EXPECTINGRAKP2"
self.send_payload(
payload=payload, payload_type=constants.payload_types['rakp1'])
def _got_rakp2(self, data):
if not (self.sessioncontext in ('EXPECTINGRAKP2', 'EXPECTINGRAKP4')):
# if we are not expecting rakp2, ignore. In a retry
# scenario, replying from stale RAKP2 after sending
# RAKP3 seems to be best
return -9
if data[0] != self.rmcptag: # ignore mismatched tags for retry logic
return -9
if data[1] != 0: # if not successful, consider next move
if data[1] in (9, 0xd) and self.privlevel == 4 and self.autopriv:
# Here the situation is likely that the peer didn't want
# us to use admin. Degrade to operator and try again
self.privlevel = 3
self.login()
return
# invalid sessionid 99% of the time means a retry
# scenario invalidated an in-flight transaction
if data[1] == 2:
return
if data[1] in constants.rmcp_codes:
errstr = constants.rmcp_codes[data[1]]
else:
errstr = "Unrecognized RMCP code %d" % data[1]
self.onlogon({'error': errstr + " in RAKP2"})
return -9
localsid = struct.unpack("<I", bytes(data[4:8]))[0]
if localsid != self.localsid:
return -9 # discard mismatch in the session identifier
self.remoterandombytes = bytes(data[8:24])
self.remoteguid = bytes(data[24:40])
userlen = len(self.userid)
hmacdata = (struct.pack("<II", localsid, self.pendingsessionid)
+ self.randombytes + self.remoterandombytes
+ self.remoteguid + struct.pack("2B", self.nameonly
| self.privlevel, userlen)
+ self.userid)
expectedhash = hmac.new(self.password, hmacdata,
self.currhashlib).digest()
hashlen = len(expectedhash)
givenhash = struct.pack("%dB" % hashlen, *data[40:hashlen + 40])
if givenhash != expectedhash:
self.sessioncontext = "FAILED"
self.onlogon({'error': "Incorrect password provided"})
return -9
# We have now validated that the BMC and client agree on password, time
# to store the keys
self.sik = hmac.new(self.kg,
self.randombytes + self.remoterandombytes
+ struct.pack("2B", self.nameonly
| self.privlevel, userlen)
+ self.userid, self.currhashlib).digest()
self.k1 = hmac.new(self.sik, b'\x01' * 20, self.currhashlib).digest()
self.k2 = hmac.new(self.sik, b'\x02' * 20, self.currhashlib).digest()
self.aeskey = self.k2[0:16]
self.sessioncontext = "EXPECTINGRAKP4"
self.lastpayload = None
self._send_rakp3()
def _send_rakp3(self): # rakp message 3
self.rmcptag += 1
# rmcptag, then status 0, then two reserved 0s
payload = [self.rmcptag, 0, 0, 0] +\
list(struct.unpack("4B", struct.pack("<I", self.pendingsessionid)))
hmacdata = self.remoterandombytes +\
struct.pack("<I", self.localsid) +\
struct.pack("2B", self.nameonly | self.privlevel,
len(self.userid)) +\
self.userid
authcode = hmac.new(self.password, hmacdata, self.currhashlib).digest()
payload += list(struct.unpack("%dB" % len(authcode), authcode))
self.send_payload(
payload=payload, payload_type=constants.payload_types['rakp3'])
def _relog(self):
self._initsession()
self.logontries -= 1
return self._get_channel_auth_cap()
def _got_rakp4(self, data):
if self.sessioncontext != "EXPECTINGRAKP4" or data[0] != self.rmcptag:
return -9
if data[1] != 0:
if data[1] == 2 and self.logontries: # if we retried RAKP3 because
# RAKP4 got dropped, BMC can consider it done and we must
# restart
self._relog()
# ignore 15 value if we are retrying.
# xCAT did but I can't recall why exactly
if data[1] == 15 and self.logontries:
# TODO(jbjohnso) jog my memory to update the comment
return
if data[1] in constants.rmcp_codes:
errstr = constants.rmcp_codes[data[1]]
else:
errstr = "Unrecognized RMCP code %d" % data[1]
self.onlogon({'error': errstr + " reported in RAKP4"})
return -9
localsid = struct.unpack("<I", bytes(data[4:8]))[0]
if localsid != self.localsid: # ignore if wrong session id indicated
return -9
hmacdata = self.randombytes +\
struct.pack("<I", self.pendingsessionid) +\
self.remoteguid
expectedauthcode = hmac.new(
self.sik, hmacdata, self.currhashlib).digest()[:self.currhashlen]
aclen = len(expectedauthcode)
authcode = struct.pack("%dB" % aclen, *data[8:aclen + 8])
if authcode != expectedauthcode:
self.onlogon({'error': "Invalid RAKP4 integrity code (wrong Kg?)"})
return
self.sessionid = self.pendingsessionid
self.integrityalgo = self.attemptedhash
self.confalgo = 'aes'
self.sequencenumber = 1
self.sessioncontext = 'ESTABLISHED'
self.lastpayload = None
self._req_priv_level()
# Internal function to parse IPMI nugget once extracted from its framing
def _parse_ipmi_payload(self, payload):
# For now, skip the checksums since we are in LAN only,
# TODO(jbjohnso): if implementing other channels, add checksum checks
# here
if len(payload) < 7:
# This cannot possibly be a valid IPMI packet. Note this is after
# the integrity checks, so this must be a buggy BMC packet
# One example was a BMC that if receiving an SOL deactivate
# from another party would emit what looks to be an attempt
# at SOL deactivation payload, but with the wrong payload type
# since we can't do anything remotely sane with such a packet,
# drop it and carry about our business.
return
entry = (payload[1] >> 2, payload[4] >> 2, payload[5])
if self._lookup_request_entry(entry):
self._remove_request_entry(entry)
# NOTE(fengqian): for bridge request, we need to handle the
# response twice. First response shows if message send correctly,
# second response is the real response.
# If the message is send crrectly, we will discard the first
# response or else error message will be parsed and return.
if ((entry[0] in [0x06, 0x07])
and (entry[2] == 0x34)
and (payload[-2] == 0x0)):
return -1
else:
self._parse_payload(payload)
# NOTE(fengqian): recheck if the certain entry is removed in
# case that bridge request failed.
if self.request_entry:
self._remove_request_entry((self.expectednetfn,
self.seqlun, self.expectedcmd))
else:
# payload is not a match for our last packet
# it is also not a bridge request.
return -1
def _parse_payload(self, payload):
if hasattr(self, 'hasretried') and self.hasretried:
self.hasretried = 0
# try to skip it for at most 16 cycles of overflow
self.tabooseq[
(self.expectednetfn, self.expectedcmd, self.seqlun)] = 16
# We want to now remember that we do not have an expected packet
# bigger than one byte means it can never match the one byte value
# by mistake
self.expectednetfn = 0x1ff
self.expectedcmd = 0x1ff
if not self.servermode:
self.seqlun += 1 # prepare seqlun for next transmit
self.seqlun &= 0x3f # when overflowing, wrap around
# render retry mechanism utterly incapable of
# doing anything, though it shouldn't matter
self.lastpayload = None
self.last_payload_type = None
response = {'netfn': payload[1] >> 2}
# ^^ remove header of rsaddr/netfn/lun/checksum/rq/seq/lun
del payload[0:5]
# remove the trailing checksum
del payload[-1]
response['command'] = payload[0]
if self.servermode:
del payload[0:1]
response['data'] = payload
else:
response['code'] = payload[1]
del payload[0:2]
response['data'] = payload
self.timeout = initialtimeout + (0.5 * random.random())
if not self.servermode and len(self.pendingpayloads) > 0:
(nextpayload, nextpayloadtype, retry) = \
self.pendingpayloads.popleft()
self.send_payload(payload=nextpayload,
payload_type=nextpayloadtype,
retry=retry)
self.ipmicallback(response)
def _timedout(self):
if not self.lastpayload:
return
self.nowait = True
self.timeout += 1
if self.timeout > self.maxtimeout:
response = {'error': 'timeout', 'code': 0xffff}
self.ipmicallback(response)
self.nowait = False
self._mark_broken()
return
elif self.sessioncontext == 'FAILED':
self.lastpayload = None
self.nowait = False
return
if self.sessioncontext == 'OPENSESSION':
# In this case, we want to craft a new session request to have
# unambiguous session id regardless of how packet was dropped or
# delayed in this case, it's safe to just redo the request
self.lastpayload = None
self._open_rmcpplus_request()
elif (self.sessioncontext == 'EXPECTINGRAKP2'
or self.sessioncontext == 'EXPECTINGRAKP4'):
# If we can't be sure which RAKP was dropped or if RAKP3/4 was just
# delayed, the most reliable thing to do is rewind and start over
# bmcs do not take kindly to receiving RAKP1 or RAKP3 twice
self.lastpayload = None
self._relog()
else: # in IPMI case, the only recourse is to act as if the packet is
# idempotent. SOL has more sophisticated retry handling
# the biggest risks are reset sp which is often fruitless to retry
# and chassis reset, which sometimes will shoot itself
# systematically in the head in a shared port case making replies
# impossible
self.hasretried = 1 # remember so that we can track taboo
# combinations
# of sequence number, netfn, and lun due to
# ambiguity on the wire
self.send_payload()
self.nowait = False
def _xmit_packet(self, retry=True, delay_xmit=None, timeout=None):
if self.sequencenumber: # seq number of zero will be left alone, it is
# special, otherwise increment
self.sequencenumber += 1
if delay_xmit is not None:
select.select([self.socket], [], [], delay_xmit)
if self.sockaddr:
self.socket.sendto(self.netpacket, self.sockaddr)
else:
# he have not yet picked a working sockaddr for this connection,
# try all the candidates that getaddrinfo provides
self.allsockaddrs = []
try:
for res in socket.getaddrinfo(self.bmc,
self.port,
0,
socket.SOCK_DGRAM):
sockaddr = res[4]
if ipv6support and res[0] == socket.AF_INET:
# convert the sockaddr to AF_INET6
newhost = '::ffff:' + sockaddr[0]
sockaddr = (newhost, sockaddr[1], 0, 0)
self.allsockaddrs.append(sockaddr)
self.socket.sendto(self.netpacket, sockaddr)
except socket.gaierror:
raise exc.IpmiException(
"Unable to transmit to specified address")
if retry:
# TODO(jjohnson2): implement retry for simplesession
pass
def logout(self, sessionok=True):
if not self.logged:
return {'success': True}
if self.cleaningup:
self.nowait = True
if self.sol_handler:
self.raw_command(netfn=6, command=0x49, data=(1, 1, 0, 0, 0, 0),
retry=sessionok)
self.raw_command(command=0x3c,
netfn=6,
data=struct.unpack("4B",
struct.pack("I", self.sessionid)),
retry=False)
# stop trying for a keepalive,
self.lastpayload = None
with util.protect(KEEPALIVE_SESSIONS):
Session.keepalive_sessions.pop(self, None)
self.logged = 0
self.logging = False
if self._customkeepalives:
for ka in list(self._customkeepalives):
# Be thorough and notify parties through their custom
# keepalives. In practice, this *should* be the same, but
# if a code somehow makes duplicate SOL handlers,
# this would notify all the handlers rather than just the
# last one to take ownership
self._customkeepalives[ka][1](
{'error': 'Session Disconnected'})
self._customkeepalives = None
self.broken = True
self.nowait = False
return {'success': True}
if __name__ == "__main__":
import sys
ipmis = Session(bmc=sys.argv[1],
userid=sys.argv[2],
password=os.environ['IPMIPASS'])
print(ipmis.raw_command(command=2, data=[1], netfn=0))
print(get_ipmi_error({'command': 8, 'code': 128, 'netfn': 1}))
|