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 1401 1402 1403 1404 1405 1406 1407 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449 1450 1451 1452 1453 1454 1455 1456 1457 1458 1459 1460 1461 1462 1463 1464 1465 1466 1467 1468 1469 1470 1471 1472 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490 1491 1492 1493 1494 1495 1496 1497 1498 1499 1500 1501 1502 1503 1504 1505 1506 1507 1508 1509 1510 1511 1512 1513 1514 1515 1516 1517 1518 1519 1520 1521 1522 1523 1524 1525 1526 1527 1528 1529 1530 1531 1532 1533 1534 1535 1536 1537 1538 1539 1540 1541 1542 1543 1544 1545 1546 1547 1548 1549 1550 1551 1552 1553 1554 1555 1556 1557 1558 1559 1560 1561 1562 1563 1564 1565 1566 1567 1568 1569 1570 1571 1572 1573 1574 1575 1576 1577 1578 1579 1580 1581 1582 1583 1584 1585 1586 1587 1588 1589 1590 1591 1592 1593 1594 1595 1596 1597 1598 1599 1600 1601 1602 1603 1604 1605 1606 1607 1608 1609 1610 1611 1612 1613 1614 1615 1616 1617 1618 1619 1620 1621 1622 1623 1624 1625 1626 1627 1628 1629 1630 1631 1632 1633 1634 1635 1636 1637 1638 1639 1640 1641 1642 1643 1644 1645 1646 1647 1648 1649 1650 1651 1652 1653 1654 1655 1656 1657 1658 1659 1660 1661 1662 1663 1664 1665 1666 1667 1668 1669 1670 1671 1672 1673 1674 1675 1676 1677 1678 1679 1680 1681 1682 1683 1684 1685 1686 1687 1688 1689 1690 1691 1692 1693 1694 1695 1696 1697 1698 1699 1700 1701 1702 1703 1704 1705 1706 1707 1708 1709 1710 1711 1712 1713 1714 1715 1716 1717 1718 1719 1720 1721 1722 1723 1724 1725 1726 1727 1728 1729 1730 1731 1732 1733 1734 1735 1736 1737 1738 1739 1740 1741 1742 1743 1744 1745 1746 1747 1748 1749 1750 1751 1752 1753 1754 1755 1756 1757 1758 1759 1760 1761 1762 1763 1764 1765 1766 1767 1768 1769 1770 1771 1772 1773 1774 1775 1776 1777 1778 1779 1780 1781 1782 1783 1784 1785 1786 1787 1788 1789 1790 1791 1792 1793 1794 1795 1796 1797 1798 1799 1800 1801 1802 1803 1804 1805 1806 1807 1808 1809 1810 1811 1812 1813 1814 1815 1816 1817 1818 1819 1820 1821 1822 1823 1824 1825 1826 1827 1828 1829 1830 1831 1832 1833 1834 1835 1836 1837 1838 1839 1840 1841 1842 1843 1844 1845 1846 1847 1848 1849 1850 1851 1852 1853 1854 1855 1856 1857 1858 1859 1860 1861 1862 1863 1864 1865 1866 1867 1868 1869 1870 1871 1872 1873 1874 1875 1876 1877 1878 1879 1880 1881 1882 1883 1884 1885 1886 1887 1888 1889 1890 1891 1892 1893 1894 1895 1896 1897 1898 1899 1900 1901 1902 1903 1904 1905 1906 1907 1908 1909 1910 1911 1912 1913 1914 1915 1916 1917 1918 1919 1920 1921 1922 1923 1924 1925 1926 1927 1928 1929 1930 1931 1932 1933 1934 1935 1936 1937 1938 1939 1940 1941 1942 1943 1944 1945 1946 1947 1948 1949 1950 1951 1952 1953 1954 1955 1956 1957 1958 1959 1960 1961 1962 1963 1964 1965 1966 1967 1968 1969 1970 1971 1972 1973 1974 1975 1976 1977 1978 1979 1980 1981 1982 1983 1984 1985 1986 1987 1988 1989 1990 1991 1992 1993 1994 1995 1996 1997 1998 1999 2000 2001 2002 2003 2004 2005 2006 2007 2008 2009 2010 2011 2012 2013 2014 2015 2016 2017 2018 2019 2020 2021 2022 2023 2024 2025 2026 2027 2028 2029 2030 2031 2032 2033 2034 2035 2036 2037 2038 2039 2040 2041 2042 2043 2044 2045 2046 2047 2048 2049 2050 2051 2052 2053 2054 2055 2056 2057 2058 2059 2060 2061 2062 2063 2064 2065 2066 2067 2068 2069 2070 2071 2072 2073 2074 2075 2076 2077 2078 2079 2080 2081 2082 2083 2084 2085 2086 2087 2088 2089 2090 2091 2092 2093 2094 2095 2096 2097 2098 2099 2100 2101 2102 2103 2104 2105 2106 2107 2108 2109 2110 2111 2112 2113 2114 2115 2116 2117 2118 2119 2120 2121 2122 2123 2124 2125 2126 2127 2128 2129 2130 2131 2132 2133 2134 2135 2136 2137 2138 2139 2140 2141 2142 2143 2144 2145 2146 2147 2148 2149 2150 2151 2152 2153 2154 2155 2156 2157 2158 2159 2160 2161 2162 2163 2164 2165 2166 2167 2168 2169 2170 2171 2172 2173 2174 2175 2176 2177 2178 2179 2180 2181 2182 2183 2184 2185 2186 2187 2188 2189 2190 2191 2192 2193 2194 2195 2196 2197 2198 2199 2200 2201 2202 2203 2204 2205 2206 2207 2208 2209 2210 2211 2212 2213 2214 2215 2216 2217 2218 2219 2220 2221 2222 2223 2224 2225 2226 2227 2228 2229 2230 2231 2232 2233 2234 2235 2236 2237 2238 2239 2240 2241 2242 2243 2244 2245 2246 2247 2248 2249 2250 2251 2252 2253 2254 2255 2256 2257 2258 2259 2260 2261 2262 2263 2264 2265 2266 2267 2268 2269 2270 2271 2272 2273 2274 2275 2276 2277 2278 2279 2280 2281 2282 2283 2284 2285 2286 2287 2288 2289 2290 2291 2292 2293 2294 2295 2296 2297 2298 2299 2300 2301 2302 2303 2304 2305 2306 2307 2308 2309 2310 2311 2312 2313 2314 2315 2316 2317 2318 2319 2320 2321 2322 2323 2324 2325 2326 2327 2328 2329 2330 2331 2332 2333 2334 2335 2336 2337 2338 2339 2340 2341 2342 2343 2344 2345 2346 2347 2348 2349 2350 2351 2352 2353 2354 2355 2356 2357 2358 2359 2360 2361 2362 2363 2364 2365 2366 2367 2368 2369 2370 2371 2372 2373 2374 2375 2376 2377 2378 2379 2380 2381 2382 2383 2384 2385 2386 2387 2388 2389 2390 2391 2392 2393 2394 2395 2396 2397 2398 2399 2400 2401 2402 2403 2404 2405 2406 2407 2408 2409 2410 2411 2412 2413 2414 2415 2416 2417 2418 2419 2420 2421 2422 2423 2424 2425 2426 2427 2428 2429 2430 2431 2432 2433 2434 2435 2436 2437 2438 2439 2440 2441 2442 2443 2444 2445 2446 2447 2448 2449 2450 2451 2452 2453 2454 2455 2456 2457 2458 2459 2460 2461 2462 2463 2464 2465 2466 2467 2468 2469 2470 2471 2472 2473 2474 2475 2476 2477 2478 2479 2480 2481 2482 2483 2484 2485 2486 2487 2488 2489 2490 2491 2492 2493 2494 2495 2496 2497 2498 2499 2500 2501 2502 2503 2504 2505 2506 2507 2508 2509 2510 2511 2512 2513 2514 2515 2516 2517 2518 2519 2520 2521 2522 2523 2524 2525 2526 2527 2528 2529 2530 2531 2532 2533 2534 2535 2536 2537 2538 2539 2540 2541 2542 2543 2544 2545 2546 2547 2548 2549 2550 2551 2552 2553 2554 2555 2556 2557 2558 2559 2560 2561 2562 2563 2564 2565 2566 2567 2568 2569 2570 2571 2572 2573 2574 2575 2576 2577 2578 2579 2580 2581 2582 2583 2584 2585 2586 2587 2588 2589 2590 2591 2592 2593 2594 2595
|
# coding=utf8
# Copyright 2016-2023 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.
import base64
import binascii
from datetime import datetime
import errno
import fnmatch
import json
import math
import os.path
import random
import re
import socket
import struct
import weakref
import zipfile
import pyghmi.constants as pygconst
import pyghmi.exceptions as pygexc
import pyghmi.ipmi.oem.lenovo.config as config
import pyghmi.ipmi.oem.lenovo.energy as energy
import pyghmi.ipmi.private.session as ipmisession
import pyghmi.ipmi.private.util as util
from pyghmi.ipmi import sdr
import pyghmi.media as media
import pyghmi.storage as storage
from pyghmi.util.parse import parse_time
import pyghmi.util.webclient as webclient
try:
from urllib import urlencode
except ImportError:
from urllib.parse import urlencode
numregex = re.compile('([0-9]+)')
funtypes = {
0: 'RAID Controller',
1: 'Ethernet',
2: 'Fibre Channel',
3: 'Infiniband',
4: 'GPU',
10: 'NVMe Controller',
12: 'Fabric Controller',
}
def naturalize_string(key):
"""Analyzes string in a human way to enable natural sort
:param key: string for the split
:returns: A structure that can be consumed by 'sorted'
"""
return [int(text) if text.isdigit() else text.lower()
for text in re.split(numregex, key)]
def natural_sort(iterable):
"""Return a sort using natural sort if possible
:param iterable:
:return:
"""
try:
return sorted(iterable, key=naturalize_string)
except TypeError:
# The natural sort attempt failed, fallback to ascii sort
return sorted(iterable)
def fixup_uuid(uuidprop):
baduuid = ''.join(uuidprop.split())
uuidprefix = (baduuid[:8], baduuid[8:12], baduuid[12:16])
a = struct.pack('<IHH', *[int(x, 16) for x in uuidprefix])
a = binascii.hexlify(a)
if not isinstance(a, str):
a = a.decode('utf-8')
uuid = (a[:8], a[8:12], a[12:16], baduuid[16:20], baduuid[20:])
return '-'.join(uuid).upper()
def fixup_str(propstr):
if propstr is None:
return ''
return ''.join([chr(int(c, 16)) for c in propstr.split()]).strip(
' \xff\x00')
def str_to_size(sizestr):
if 'GB' in sizestr:
sizestr = sizestr.replace('GB', '')
sizestr = int(float(sizestr) * 1000)
elif 'GiB' in sizestr:
sizestr = sizestr.replace('GiB', '')
sizestr = int(float(sizestr) * 1024)
elif 'TB' in sizestr:
sizestr = sizestr.replace('TB', '')
sizestr = int(float(sizestr) * 1000 * 1000)
elif 'TiB' in sizestr:
sizestr = sizestr.replace('TiB', '')
sizestr = int(float(sizestr) * 1024 * 1024)
return sizestr
class IMMClient(object):
logouturl = '/data/logout'
bmcname = 'IMM'
ADP_URL = '/designs/imm/dataproviders/imm_adapters.php'
ADP_NAME = 'adapter.adapterName'
ADP_FUN = 'adapter.functions'
ADP_FU_URL = None
ADP_LABEL = 'adapter.connectorLabel'
ADP_SLOTNO = 'adapter.slotNo'
ADP_OOB = 'adapter.oobSupported'
ADP_PARTNUM = 'vpd.partNo'
ADP_SERIALNO = 'vpd.serialNo'
ADP_VENID = 'generic.vendorId'
ADP_SUBVENID = 'generic.subVendor'
ADP_DEVID = 'generic.devId'
ADP_SUBDEVID = 'generic.subDevId'
ADP_FRU = 'vpd.cardSKU'
BUSNO = 'generic.busNo'
PORTS = 'network.pPorts'
DEVNO = 'generic.devNo'
def __init__(self, ipmicmd):
self.weblogging = False
self.ipmicmd = weakref.proxy(ipmicmd)
self.updating = False
self.imm = ipmicmd.bmc
srv = self.imm
if ':' in srv:
srv = '[{0}]'.format(srv)
self.adp_referer = 'https://imm/designs/imm/index-console.php'
if ipmicmd.ipmi_session.password:
self.username = ipmicmd.ipmi_session.userid.decode('utf-8')
self.password = ipmicmd.ipmi_session.password.decode('utf-8')
self._wc = None # The webclient shall be initiated on demand
self._energymanager = None
self.datacache = {}
self._keepalivesession = None
self.fwc = None
self.fwo = None
self.fwovintage = None
@staticmethod
def _parse_builddate(strval):
if not isinstance(strval, str) and isinstance(strval, bytes):
strval = strval.decode('utf-8')
try:
return datetime.strptime(strval, '%Y/%m/%d %H:%M:%S')
except ValueError:
pass
try:
return datetime.strptime(strval, '%Y-%m-%d %H:%M:%S')
except ValueError:
pass
try:
return datetime.strptime(strval, '%Y/%m/%d')
except ValueError:
pass
try:
return datetime.strptime(strval, '%m/%d/%Y')
except ValueError:
pass
try:
return datetime.strptime(strval, '%Y-%m-%d')
except ValueError:
pass
try:
return datetime.strptime(strval, '%m %d %Y')
except ValueError:
pass
return None
@classmethod
def parse_imm_buildinfo(cls, buildinfo):
buildid = bytes(buildinfo[:9]).rstrip(b' \x00')
if not isinstance(buildid, str):
buildid = buildid.decode('utf-8')
bdt = b' '.join(bytes(buildinfo[9:]).replace(b'\x00', b' ').split())
bdate = cls._parse_builddate(bdt)
return buildid, bdate
@classmethod
def datefromprop(cls, propstr):
if propstr is None:
return None
return cls._parse_builddate(propstr)
def get_system_configuration(self, hideadvanced=True, fetchimm=False):
if not self.fwc:
self.fwc = config.LenovoFirmwareConfig(self)
try:
self.fwo = self.fwc.get_fw_options(fetchimm=fetchimm)
except Exception:
raise Exception('%s failed to retrieve UEFI configuration'
% self.bmcname)
self.fwovintage = util._monotonic_time()
retcfg = {}
for opt in self.fwo:
if 'MegaRAIDConfigurationTool' in opt:
# Suppress the Avago configuration to be consistent with
# other tools.
continue
if (hideadvanced and self.fwo[opt]['lenovo_protect']
or self.fwo[opt]['hidden']):
# Do not enumerate hidden settings
continue
retcfg[opt] = {}
retcfg[opt]['value'] = self.fwo[opt]['current']
retcfg[opt]['default'] = self.fwo[opt]['default']
retcfg[opt]['help'] = self.fwo[opt]['help']
retcfg[opt]['possible'] = self.fwo[opt]['possible']
retcfg[opt]['sortid'] = self.fwo[opt]['sortid']
return retcfg
def set_system_configuration(self, changeset):
if not self.fwc:
self.fwc = config.LenovoFirmwareConfig(self)
fetchimm = False
if not self.fwo or util._monotonic_time() - self.fwovintage > 30:
self.fwo = self.fwc.get_fw_options(fetchimm=fetchimm)
self.fwovintage = util._monotonic_time()
for key in list(changeset):
if key not in self.fwo:
found = False
for rkey in self.fwo:
if fnmatch.fnmatch(rkey.lower(), key.lower()):
changeset[rkey] = changeset[key]
found = True
elif self.fwo[rkey].get('alias', None) != rkey:
calias = self.fwo[rkey]['alias']
if fnmatch.fnmatch(calias.lower(), key.lower()):
changeset[rkey] = changeset[key]
found = True
if not found and not fetchimm:
fetchimm = True
self.fwo = self.fwc.get_fw_options(fetchimm=fetchimm)
if key in self.fwo:
continue
else:
found = False
for rkey in self.fwo:
if fnmatch.fnmatch(rkey.lower(), key.lower()):
changeset[rkey] = changeset[key]
found = True
elif self.fwo[rkey].get('alias', None) != rkey:
calias = self.fwo[rkey]['alias']
if fnmatch.fnmatch(
calias.lower(), key.lower()):
changeset[rkey] = changeset[key]
found = True
if found:
del changeset[key]
else:
raise pygexc.InvalidParameterValue(
'{0} not a known setting'.format(key))
self.merge_changeset(changeset)
if changeset:
try:
self.fwc.set_fw_options(self.fwo)
finally:
self.fwo = None
self.fwovintage = 0
def merge_changeset(self, changeset):
for key in changeset:
if isinstance(changeset[key], str):
changeset[key] = {'value': changeset[key]}
newvalue = changeset[key]['value']
if self.fwo[key]['is_list'] and not isinstance(newvalue, list):
if '=' in newvalue:
# ASU set a precedent of = delimited settings
# for now, honor that delimiter as well
newvalues = newvalue.split('=')
else:
newvalues = newvalue.split(',')
else:
newvalues = [newvalue]
newnewvalues = []
for newvalue in newvalues:
newv = re.sub(r'\s+', ' ', newvalue)
if (self.fwo[key]['possible']
and newvalue not in self.fwo[key]['possible']):
candlist = []
for candidate in self.fwo[key]['possible']:
candid = re.sub(r'\s+', ' ', candidate)
if newv.lower().startswith(candid.lower()):
newvalue = candidate
break
if candid.lower().startswith(newv.lower()):
candlist.append(candidate)
else:
if len(candlist) == 1:
newvalue = candlist[0]
else:
raise pygexc.InvalidParameterValue(
'{0} is not a valid value for {1} '
'({2})'.format(
newvalue, key,
','.join(self.fwo[key]['possible'])))
elif self.fwo[key]['validexpression']:
if not re.match(self.fwo[key]['validexpression'], newvalue):
raise pygexc.InvalidParameterValue(
'"{0}" does not match expression "{1}"'.format(
newvalue, self.fwo[key]['validexpression']))
newnewvalues.append(newvalue)
if len(newnewvalues) == 1:
self.fwo[key]['new_value'] = newnewvalues[0]
else:
self.fwo[key]['new_value'] = newnewvalues
def clear_bmc_configuration(self):
self.ipmicmd.xraw_command(0x2e, 0xcc,
data=(0x5e, 0x2b, 0, 0xa, 1, 0xff, 0, 0, 0))
def set_property(self, propname, value):
if not isinstance(value, int) or value > 255:
raise Exception('Unsupported property value')
propname = propname.encode('utf-8')
proplen = len(propname) | 0b10000000
valuelen = 0x11 # The value is always one byte, for now
cmdlen = len(propname) + 4 # the flags byte, two tlv bytes, and value
cdata = bytearray([3, 0, cmdlen, 1, proplen]) + propname
cdata += bytearray([valuelen, value])
rsp = self.ipmicmd.xraw_command(netfn=0x3a, command=0xc4, data=cdata)
rsp['data'] = bytearray(rsp['data'])
if rsp['data'][0] != 0:
raise Exception('Unknown response setting property: {0}'.format(
rsp['data'][0]))
def get_property(self, propname):
propname = propname.encode('utf-8')
proplen = len(propname) | 0b10000000
cmdlen = len(propname) + 1
cdata = bytearray([0, 0, cmdlen, proplen]) + propname
rsp = self.ipmicmd.xraw_command(netfn=0x3a, command=0xc4, data=cdata)
rsp['data'] = bytearray(rsp['data'])
if rsp['data'][0] != 0:
return None
propdata = rsp['data'][3:] # second two bytes are size, don't need it
if propdata[0] & 0b10000000: # string, for now assume length valid
ret = bytes(propdata[1:]).rstrip(b' \x00')
if not isinstance(ret, str):
ret = ret.decode('utf-8')
return ret
if propdata[0] == 0x44: # dword
return propdata[1:5]
else:
raise Exception('Unknown format for property: ' + repr(propdata))
def get_webclient(self):
cv = self.ipmicmd.certverify
wc = webclient.SecureHTTPConnection(self.imm, 443, verifycallback=cv)
wc.vintage = None
try:
wc.connect()
except socket.error as se:
if se.errno != errno.ECONNREFUSED:
raise
return None
adata = urlencode({'user': self.username,
'password': self.password,
'SessionTimeout': 60})
headers = {'Connection': 'keep-alive',
'Origin': 'https://imm/',
'Host': 'imm',
'Referer': 'https://imm/designs/imm/index.php',
'Content-Type': 'application/x-www-form-urlencoded'}
wc.request('POST', '/data/login', adata, headers)
rsp = wc.getresponse()
if rsp.status == 200:
rspdata = json.loads(rsp.read())
if rspdata['authResult'] == '0' and rspdata['status'] == 'ok':
if 'token2_name' in rspdata and 'token2_value' in rspdata:
wc.set_header(rspdata['token2_name'],
rspdata['token2_value'])
if 'token3_name' in rspdata and 'token3_value' in rspdata:
self.uploadtoken = {rspdata['token3_name']:
rspdata['token3_value']}
else:
self.uploadtoken = {}
wc.set_header('Referer', self.adp_referer)
wc.set_header('Host', 'imm')
wc.set_header('Origin', 'https://imm/')
return wc
@property
def wc(self):
while self.weblogging:
ipmisession.Session.pause(0.25)
self.weblogging = True
try:
if (not self._wc or (self._wc.vintage
and self._wc.vintage < util._monotonic_time()
- 30)):
if not self.updating and self._wc:
# in case the existing session is still valid
# dispose of the session
self.weblogout()
self._wc = self.get_webclient()
finally:
self.weblogging = False
return self._wc
def fetch_grouped_properties(self, groupinfo):
retdata = {}
for keyval in groupinfo:
retdata[keyval] = self.get_property(groupinfo[keyval])
if keyval == 'date':
retdata[keyval] = self.datefromprop(retdata[keyval])
returnit = False
for keyval in list(retdata):
if retdata[keyval] in (None, ''):
del retdata[keyval]
else:
returnit = True
if returnit:
return retdata
def grab_cacheable_json(self, url, age=30):
data = self.get_cached_data(url, age)
if not data:
data, status = self.wc.grab_json_response_with_status(url)
if status == 401:
self._wc = None
data, status = self.wc.grab_json_response_with_status(url)
if status != 200:
data = {}
self.datacache[url] = (data, util._monotonic_time())
return data
def get_cached_data(self, attribute, age=30):
try:
kv = self.datacache[attribute]
if kv[1] > util._monotonic_time() - age:
return kv[0]
except KeyError:
return None
def upload_media(self, filename, progress=None, data=None):
xid = random.randint(0, 1000000000)
alloc = self.wc.grab_json_response(
'/data/set',
'RP_VmAllocateLoc({0},{1},1)'.format(self.username, filename))
if alloc['return'] != 'Success':
raise Exception('Unexpected reply to allocation: ' + repr(alloc))
slotid = alloc['slotId']
uploadfields = self.uploadtoken
uploadfields['filePath'] = alloc['filePath']
uploadfields['uploadType'] = 'iframe'
uploadfields['available'] = alloc['available']
uploadfields['checksum'] = xid
ut = webclient.FileUploader(
self.wc, '/designs/imm/upload/rp_image_upload.esp', filename, data,
otherfields=uploadfields)
ut.start()
while ut.isAlive():
ut.join(3)
if progress:
progress({'phase': 'upload',
'progress': 100 * self.wc.get_upload_progress()})
status = self.wc.grab_json_response(
'/designs/imm/upload/rp_image_upload_status.esp',
'filePath={0}'.format(alloc['filePath']))
if not status['rpImgUploadResult'].endswith('Success'):
raise Exception(
'Upload status returned unexpected data: ' + repr(alloc))
ups = self.wc.grab_json_response(
'/data/set',
'RP_VmUpdateSize({1}, {0})'.format(status['originalFileSize'],
slotid))
if ups['return'] != 'Success':
raise Exception('Unexpected return to update size: ' + repr(ups))
ups = self.wc.grab_json_response('/data/set',
'RP_VmMount({0})'.format(slotid))
if ups['return'] != 'Success':
raise Exception('Unexpected return to mount: ' + repr(ups))
if progress:
progress({'phase': 'complete'})
def attach_remote_media(self, url, user, password):
url = url.replace(':', '\\:')
params = urlencode({
'RP_VmAllocateMountUrl({0},{1},1,,)'.format(
self.username, url): ''
})
result = self.wc.grab_json_response('/data?set', params,
referer=self.adp_referer)
if not result:
result = self.wc.grab_json_response('/data/set', params,
referer=self.adp_referer)
if result['return'] != 'Success':
raise Exception(result['reason'])
self.weblogout()
def list_media(self):
rt = self.wc.grab_json_response(
'/designs/imm/dataproviders/imm_rp_images.php',
referer=self.adp_referer)
for item in rt['items']:
if 'images' in item:
for uload in item['images']:
if uload['status'] != 0:
yield media.Media(uload['filename'])
for attached in item.get('urls', []):
filename = attached['url']
filename = filename.split('/')[-1]
url = '/'.join(attached['url'].split('/')[:-1])
yield media.Media(filename, url)
def detach_remote_media(self):
mnt = self.wc.grab_json_response(
'/designs/imm/dataproviders/imm_rp_images.php',
referer=self.adp_referer)
removeurls = []
for item in mnt['items']:
if 'urls' in item:
for url in item['urls']:
removeurls.append(url['url'])
if 'images' in item:
for uload in item['images']:
self.wc.grab_json_response(
'/data/set', 'RP_RemoveFile({0}, 0)'.format(
uload['slotId']))
for url in removeurls:
url = url.replace(':', '\\:')
params = urlencode({
'RP_VmAllocateUnMountUrl({0},{1},0,)'.format(
self.username, url): ''})
result = self.wc.grab_json_response('/data?set', params,
referer=self.adp_referer)
if not result:
result = self.wc.grab_json_response('/data/set', params,
referer=self.adp_referer)
if result['return'] != 'Success':
raise Exception(result['reason'])
self.weblogout()
def fetch_psu_firmware(self):
return []
def fetch_agentless_firmware(self, needdisk=True, needadp=True):
skipkeys = set([])
if needadp:
cd = self.get_cached_data('lenovo_cached_adapters_fu')
if cd:
adapterdata, fwu = cd
else:
adapterdata = None
if not adapterdata:
if self.updating:
raise pygexc.TemporaryError(
'Cannot read extended inventory during firmware update')
if self.wc:
adapterdata = self.wc.grab_json_response(
self.ADP_URL, referer=self.adp_referer)
if self.ADP_FU_URL:
fwu = self.wc.grab_json_response(
self.ADP_FU_URL, referer=self.adp_referer)
else:
fwu = {}
if adapterdata:
self.datacache['lenovo_cached_adapters_fu'] = (
(adapterdata, fwu), util._monotonic_time())
if adapterdata and 'items' in adapterdata:
anames = {}
for adata in adapterdata['items']:
aname = adata[self.ADP_NAME]
if aname in anames:
anames[aname] += 1
aname = '{0} {1}'.format(aname, anames[aname])
else:
anames[aname] = 1
donenames = set([])
for fundata in adata[self.ADP_FUN]:
fdata = fundata.get('firmwares', ())
for firm in fdata:
fname = firm['firmwareName'].rstrip()
if '.' in fname:
fname = firm['description'].rstrip()
if fname in donenames:
# ignore redundant entry
continue
if not fname:
continue
donenames.add(fname)
bdata = {}
if 'versionStr' in firm and firm['versionStr']:
bdata['version'] = firm['versionStr']
if ('releaseDate' in firm
and firm['releaseDate']
and firm['releaseDate'] != 'N/A'):
try:
bdata['date'] = self._parse_builddate(
firm['releaseDate'])
except ValueError:
pass
yield '{0} {1}'.format(aname, fname), bdata
for fwi in fwu.get('items', []):
if fwi.get('key', -1) == adata.get('key', -2):
skipkeys.add(fwi['key'])
if fwi.get('fw_status', 0) == 2:
bdata = {}
if 'fw_pkg_version' in fwi and fwi['fw_pkg_version']:
bdata['version'] = fwi['fw_pkg_version']
elif 'fw_version_pend' in fwi:
bdata['version'] = fwi['fw_version_pend']
yield '{0} Pending Update'.format(aname), bdata
for fwi in fwu.get('items', []):
if fwi.get('key', -1) > 0 and fwi['key'] not in skipkeys:
bdata = {}
bdata['version'] = fwi['fw_version']
yield fwi['adapterName'], bdata
if fwi.get('fw_status', 0) == 2:
bdata = {}
if 'fw_version_pend' in fwi:
bdata['version'] = fwi['fw_version_pend']
yield '{0} Pending Update'.format(fwi['adapterName']), bdata
if needdisk:
for disk in self.disk_inventory():
yield disk
self.weblogout()
def disk_inventory(self, mode=0):
if mode == 1:
# Bypass IMM hardware inventory for now
return
storagedata = self.get_cached_data('lenovo_cached_storage')
if not storagedata:
if self.wc:
storagedata = self.wc.grab_json_response(
'/designs/imm/dataproviders/raid_alldevices.php')
if storagedata:
self.datacache['lenovo_cached_storage'] = (
storagedata, util._monotonic_time())
if storagedata and 'items' in storagedata:
for adp in storagedata['items']:
if 'storage.vpd.productName' not in adp:
continue
adpname = adp['storage.vpd.productName']
if 'children' not in adp:
adp['children'] = ()
for diskent in adp['children']:
bdata = {}
diskname = '{0} Disk {1}'.format(
adpname,
diskent['storage.slotNo'])
bdata['model'] = diskent[
'storage.vpd.productName'].rstrip()
bdata['version'] = diskent['storage.firmwares'][0][
'versionStr']
yield (diskname, bdata)
def get_hw_inventory(self):
hwmap = self.hardware_inventory_map()
for key in natural_sort(hwmap):
yield (key, hwmap[key])
def get_hw_descriptions(self):
hwmap = self.hardware_inventory_map()
for key in natural_sort(hwmap):
yield key
def get_component_inventory(self, compname):
hwmap = self.hardware_inventory_map()
try:
return hwmap[compname]
except KeyError:
return None
def get_oem_sensor_names(self, ipmicmd):
try:
if self._energymanager is None:
self._energymanager = energy.EnergyManager(ipmicmd)
return self._energymanager.supportedmeters
except pygexc.UnsupportedFunctionality:
return ()
def get_oem_sensor_descriptions(self, ipmicmd):
desc = []
for x in self.get_oem_sensor_names(ipmicmd):
desc.append({
'name': x,
'type': 'Power' if 'Power' in x else 'Energy'
})
return desc
def get_oem_sensor_reading(self, name, ipmicmd):
if self._energymanager is None:
self._energymanager = energy.EnergyManager(ipmicmd)
if name == 'AC Energy':
kwh = self._energymanager.get_ac_energy(ipmicmd)
elif name == 'DC Energy':
kwh = self._energymanager.get_dc_energy(ipmicmd)
elif self._energymanager.supports(name):
value, units = self._energymanager.get_sensor(name, ipmicmd)
return sdr.SensorReading({
'name': name, 'imprecision': None,
'value': value,
'states': [], 'state_ids': [], 'health': pygconst.Health.Ok,
'type': 'Power'}, units)
else:
raise pygexc.UnsupportedFunctionality('No such sensor ' + name)
return sdr.SensorReading({'name': name, 'imprecision': None,
'value': kwh, 'states': [],
'state_ids': [],
'health': pygconst.Health.Ok,
'type': 'Energy'}, 'kWh')
def weblogout(self):
if self._wc:
try:
self._wc.grab_json_response(self.logouturl)
except Exception:
pass
self._wc = None
def hardware_inventory_map(self):
hwmap = self.get_cached_data('lenovo_cached_hwmap')
if hwmap:
return hwmap
hwmap = {}
enclosureuuid = self.get_property('/v2/ibmc/smm/chassis/uuid')
if enclosureuuid:
bay = hex(int(self.get_property('/v2/cmm/sp/7'))).replace(
'0x', '')
serial = self.get_property('/v2/ibmc/smm/chassis/sn')
model = self.get_property('/v2/ibmc/smm/chassis/mtm')
hwmap['Enclosure'] = {
'UUID': fixup_uuid(enclosureuuid),
'Bay': bay,
'Model': fixup_str(model),
'Serial': fixup_str(serial),
}
for disk in self.disk_inventory(mode=1): # hardware mode
hwmap[disk[0]] = disk[1]
adapterdata = self.get_cached_data('lenovo_cached_adapters')
if not adapterdata:
if self.updating:
raise pygexc.TemporaryError(
'Cannot read extended inventory during firmware update')
if self.wc:
adapterdata = self.wc.grab_json_response(
self.ADP_URL, referer=self.adp_referer)
if adapterdata:
self.datacache['lenovo_cached_adapters'] = (
adapterdata, util._monotonic_time())
if adapterdata and 'items' in adapterdata:
anames = {}
for adata in adapterdata['items']:
skipadapter = False
clabel = adata[self.ADP_LABEL]
if clabel == 'Unknown':
continue
if clabel != 'Onboard':
aslot = adata[self.ADP_SLOTNO]
if clabel == 'ML2':
clabel = 'ML2 (Slot {0})'.format(aslot)
else:
clabel = 'Slot {0}'.format(aslot)
aname = adata[self.ADP_NAME]
bdata = {'location': clabel, 'name': aname}
if aname in anames:
anames[aname] += 1
aname = '{0} {1}'.format(aname, anames[aname])
else:
anames[aname] = 1
for fundata in adata[self.ADP_FUN]:
bdata['pcislot'] = '{0:02x}:{1:02x}'.format(
fundata[self.BUSNO], fundata[self.DEVNO])
serialdata = fundata.get(self.ADP_SERIALNO, None)
if (serialdata and serialdata != 'N/A'
and '---' not in serialdata):
bdata['serial'] = serialdata
partnum = fundata.get(self.ADP_PARTNUM, None)
if partnum and partnum != 'N/A':
bdata['Part Number'] = partnum
cardtype = funtypes.get(fundata.get('funType', None),
None)
if cardtype is not None:
bdata['Type'] = cardtype
venid = fundata.get(self.ADP_VENID, None)
if venid is not None:
bdata['PCI Vendor ID'] = '{0:04x}'.format(venid)
devid = fundata.get(self.ADP_DEVID, None)
if devid is not None and 'PCI Device ID' not in bdata:
bdata['PCI Device ID'] = '{0:04x}'.format(devid)
venid = fundata.get(self.ADP_SUBVENID, None)
if venid is not None:
bdata['PCI Subsystem Vendor ID'] = '{0:04x}'.format(
venid)
devid = fundata.get(self.ADP_SUBDEVID, None)
if devid is not None:
bdata['PCI Subsystem Device ID'] = '{0:04x}'.format(
devid)
fruno = fundata.get(self.ADP_FRU, None)
if fruno is not None:
bdata['FRU Number'] = fruno
if self.PORTS in fundata:
for portinfo in fundata[self.PORTS]:
for lp in portinfo['logicalPorts']:
ma = lp['networkAddr']
ma = ':'.join(
[ma[i:i + 2] for i in range(
0, len(ma), 2)]).lower()
bdata['MAC Address {0}'.format(
portinfo['portIndex'])] = ma
elif clabel == 'Onboard': # skip the various non-nic
skipadapter = True
if not skipadapter:
hwmap[aname] = bdata
self.datacache['lenovo_cached_hwmap'] = (hwmap,
util._monotonic_time())
self.weblogout()
return hwmap
def get_firmware_inventory(self, bmcver, components, category):
# First we fetch the system firmware found in imm properties
# then check for agentless, if agentless, get adapter info using
# https, using the caller TLS verification scheme
components = set(components)
if 'core' in components:
category = 'core'
if not components or set(('imm', 'xcc', 'bmc', 'core')) & components:
rsp = self.ipmicmd.xraw_command(netfn=0x3a, command=0x50)
immverdata = self.parse_imm_buildinfo(rsp['data'])
bmcmajor, bmcminor = [int(x) for x in bmcver.split('.')]
bmcver = '{0}.{1:02d}'.format(bmcmajor, bmcminor)
bdata = {
'version': bmcver, 'build': immverdata[0],
'date': immverdata[1]}
yield (self.bmcname, bdata)
bdata = self.fetch_grouped_properties({
'build': '/v2/ibmc/dm/fw/imm2/backup_build_id',
'version': '/v2/ibmc/dm/fw/imm2/backup_build_version',
'date': '/v2/ibmc/dm/fw/imm2/backup_build_date'})
if bdata:
yield ('{0} Backup'.format(self.bmcname), bdata)
bdata = self.fetch_grouped_properties({
'build': '/v2/ibmc/trusted_buildid',
})
if bdata:
yield ('{0} Trusted Image'.format(self.bmcname), bdata)
if not components or set(('uefi', 'bios', 'core')) & components:
bdata = self.fetch_grouped_properties({
'build': '/v2/bios/build_id',
'version': '/v2/bios/build_version',
'date': '/v2/bios/build_date'})
if bdata:
yield ('UEFI', bdata)
else:
yield ('UEFI', {'version': 'unknown'})
bdata = self.fetch_grouped_properties({
'build': '/v2/ibmc/dm/fw/bios/backup_build_id',
'version': '/v2/ibmc/dm/fw/bios/backup_build_version'})
if bdata:
yield ('UEFI Backup', bdata)
# Note that the next pending could be pending for either primary
# or backup, so can't promise where it will go
bdata = self.fetch_grouped_properties({
'build': '/v2/bios/pending_build_id'})
if bdata:
yield ('UEFI Pending Update', bdata)
if not components or set(('fpga', 'core')) & components:
try:
fpga = self.ipmicmd.xraw_command(netfn=0x3a, command=0x6b,
data=(0,))
fpga = '{0}.{1}.{2}'.format(*bytearray(fpga['data']))
yield ('FPGA', {'version': fpga})
except pygexc.IpmiException as ie:
if ie.ipmicode != 193:
raise
if (not components or (components - set((
'core', 'uefi', 'bios', 'bmc', 'xcc', 'imm', 'fpga',
'lxpm')))):
for firm in self.fetch_agentless_firmware():
yield firm
class XCCClient(IMMClient):
logouturl = '/api/providers/logout'
bmcname = 'XCC'
ADP_URL = '/api/dataset/imm_adapters?params=pci_GetAdapters'
ADP_NAME = 'adapterName'
ADP_FUN = 'functions'
ADP_FU_URL = '/api/function/adapter_update?params=pci_GetAdapterListAndFW'
ADP_LABEL = 'connectorLabel'
ADP_SLOTNO = 'slotNo'
ADP_OOB = 'oobSupported'
ADP_PARTNUM = 'vpd_partNo'
ADP_SERIALNO = 'vpd_serialNo'
ADP_VENID = 'generic_vendorId'
ADP_SUBVENID = 'generic_subVendor'
ADP_DEVID = 'generic_devId'
ADP_SUBDEVID = 'generic_subDevId'
ADP_FRU = 'vpd_cardSKU'
BUSNO = 'generic_busNo'
PORTS = 'network_pPorts'
DEVNO = 'generic_devNo'
def __init__(self, ipmicmd):
super(XCCClient, self).__init__(ipmicmd)
self.ipmicmd.ipmi_session.register_keepalive(self.keepalive, None)
self.adp_referer = None
def get_screenshot(self, outfile):
self.wc.grab_json_response('/api/providers/rp_screenshot')
url = '/download/HostScreenShot.png'
fd = webclient.FileDownloader(self.wc, url, outfile)
fd.start()
fd.join()
def get_user_privilege_level(self, uid):
uid = uid - 1
accurl = '/redfish/v1/AccountService/Accounts/{0}'.format(uid)
accinfo, status = self.grab_redfish_response_with_status(accurl)
if status == 200:
return accinfo.get('RoleId', None)
return None
def get_ikvm_methods(self):
return ['url']
def get_ikvm_launchdata(self):
access = self.grab_redfish_response_with_status('/redfish/v1/Managers/1/Oem/Lenovo/RemoteControl/Actions/LenovoRemoteControlService.GetRemoteConsoleToken', {})
if access[0].get('Token', None):
accessinfo = {
'url': '/#/login?{}&context=remote&mode=multi'.format(access[0]['Token'])
}
return accessinfo
return {}
def set_user_access(self, uid, privilege_level):
uid = uid - 1
role = None
if privilege_level == 'administrator':
role = 'Administrator'
elif privilege_level == 'operator':
role = 'Operator'
elif privilege_level == 'user':
role = 'ReadOnly'
elif privilege_level.startswith('custom.'):
role = privilege_level.replace('custom.', '')
if role:
self.grab_redfish_response_with_status(
'/redfish/v1/AccountService/Accounts/{0}'.format(uid),
{'RoleId': role}, method='PATCH')
def reseat(self):
wc = self.wc.dupe(timeout=5)
try:
rsp = wc.grab_json_response_with_status(
'/api/providers/virt_reseat', '{}')
except socket.timeout:
return # probably reseated itself and unable to reply
if rsp[1] == 500 and rsp[0] == 'Target Unavailable':
return
if rsp[1] != 200 or rsp[0].get('return', 1) != 0:
raise pygexc.UnsupportedFunctionality(
'This platform does not support AC reseat.')
def fetch_dimm(self, name, fru):
meminfo = self.grab_cacheable_json('/api/dataset/imm_memory')
meminfo = meminfo.get('items', [{}])[0].get('memory', [])
for memi in meminfo:
if memi.get('memory_description', None) == name:
fru['model'] = memi['memory_part_number']
fru['ecc'] = memi.get('memory_ecc_bits', 0) != 0
fru['manufacture_location'] = 0
fru['memory_type'] = memi['memory_type']
fru['module_type'] = fru['memory_type']
mdate = memi['memory_manuf_date']
mdate = '20{}-W{}'.format(mdate[-2:], mdate[:-2])
fru['manufacture_date'] = mdate
speed = memi['memory_config_speed'] * 8 / 100 * 100
fru['speed'] = speed
fru['capacity_mb'] = memi['memory_capacity'] * 1024
fru['serial'] = memi['memory_serial_number'].strip()
fru['manufacturer'] = memi['memory_manufacturer']
break
def set_identify(self, on, duration, blink):
if blink:
self.grab_redfish_response_with_status(
'/redfish/v1/Systems/1',
{'IndicatorLED': 'Blinking'},
method='PATCH')
raise pygexc.BypassGenericBehavior()
raise pygexc.UnsupportedFunctionality()
def get_description(self):
dsc = self.wc.grab_json_response('/DeviceDescription.json')
dsc = dsc[0]
if not dsc.get('u-height', None):
if dsc.get('enclosure-machinetype-model', '').startswith('7Y36'):
return {'height': 2, 'slot': 0}
else:
return {}
return {'height': int(dsc['u-height']), 'slot': int(dsc['slot'])}
def get_extended_bmc_configuration(self, hideadvanced=True):
immsettings = self.get_system_configuration(fetchimm=True, hideadvanced=hideadvanced)
for setting in list(immsettings):
if not setting.startswith('IMM.'):
del immsettings[setting]
return immsettings
def user_delete(self, uid):
uid = uid - 1
userinfo = self.wc.grab_json_response('/api/dataset/imm_users')
uidtonamemap = {}
for user in userinfo.get('items', [{'users': []}])[0].get('users', []):
uidtonamemap[user['users_user_id']] = user['users_user_name']
if uid in uidtonamemap:
deltarget = '{0},{1}'.format(uid, uidtonamemap[uid])
self.wc.grab_json_response('/api/function', {"USER_UserDelete": deltarget})
raise pygexc.BypassGenericBehavior()
def get_bmc_configuration(self):
settings = {}
passrules = self.wc.grab_json_response('/api/dataset/imm_users_global')
passrules = passrules.get('items', [{}])[0]
settings['password_reuse_count'] = {
'value': passrules.get('pass_min_resuse')}
settings['password_change_interval'] = {
'value': passrules.get('pass_change_interval')}
settings['password_expiration'] = {
'value': passrules.get('pass_expire_days')}
settings['password_login_failures'] = {
'value': passrules.get('max_login_failures')}
settings['password_complexity'] = {
'value': passrules.get('pass_complex_required')}
settings['password_min_length'] = {
'value': passrules.get('pass_min_length')}
settings['password_lockout_period'] = {
'value': passrules.get('lockout_period')}
presassert = self.wc.grab_json_response('/api/dataset/imm_rpp')
asserted = presassert.get('items', [{}])[0].get('rpp_Assert', None)
if asserted is not None:
settings['presence_assert'] = {
'value': 'Enable' if asserted else 'Disable'
}
usbparms = self.wc.grab_json_response('/api/dataset/imm_usb')
if usbparms:
usbparms = usbparms.get('items', [{}])[0]
if usbparms['usb_eth_over_usb_enabled'] == 1:
usbeth = 'Enable'
else:
usbeth = 'Disable'
settings['usb_ethernet'] = {
'value': usbeth
}
if usbparms['usb_eth_to_eth_enabled'] == 1:
fwd = 'Enable'
else:
fwd = 'Disable'
settings['usb_ethernet_port_forwarding'] = {
'value': fwd
}
mappings = []
for mapping in usbparms['usb_mapped_ports']:
src = mapping['ext_port']
dst = mapping['eth_port']
if src != 0 and dst != 0:
mappings.append('{0}:{1}'.format(src, dst))
settings['usb_forwarded_ports'] = {'value': ','.join(mappings)}
try:
enclosureinfo = self.ipmicmd.xraw_command(0x3a, 0xf1, data=[0])
except pygexc.IpmiException:
return settings
settings['smm'] = {
'default': 'Disable',
'possible': ['Enable', 'Disable', 'IPMI'],
'help': 'Enables or disables the network of the '
'enclosure manager. IPMI Enables with IPMI '
'for v2 systems.',
}
if bytearray(enclosureinfo['data'])[0] == 2:
settings['smm']['value'] = 'Disable'
elif bytearray(enclosureinfo['data'])[0] == 1:
settings['smm']['value'] = 'Enable'
elif bytearray(enclosureinfo['data'])[0] == 4:
settings['smm']['value'] = 'IPMI'
else:
settings['smm']['value'] = None
smmip = self.get_property('/v2/ibmc/smm/smm_ip')
if smmip:
smmip = socket.inet_ntoa(bytes(smmip[-1::-1]))
settings['smm_ip'] = {
'help': 'Current IPv4 address as reported by SMM, read-only',
'value': smmip,
}
return settings
rulemap = {
'password_change_interval': 'USER_GlobalMinPassChgInt',
'password_reuse_count': 'USER_GlobalMinPassReuseCycle',
'password_expiration': 'USER_GlobalPassExpPeriod',
'password_login_failures': 'USER_GlobalMaxLoginFailures',
'password_complexity': 'USER_GlobalPassComplexRequired',
'password_min_length': 'USER_GlobalMinPassLen',
'password_lockout_period': 'USER_GlobalLockoutPeriod',
}
def set_bmc_configuration(self, changeset):
ruleset = {}
usbsettings = {}
for key in changeset:
if isinstance(changeset[key], str):
changeset[key] = {'value': changeset[key]}
currval = changeset[key].get('value', None)
if 'smm'.startswith(key.lower()):
if 'enabled'.startswith(currval.lower()):
self.ipmicmd.xraw_command(0x3a, 0xf1, data=[1])
elif 'disabled'.startswith(currval.lower()):
self.ipmicmd.xraw_command(0x3a, 0xf1, data=[2])
elif 'ipmi'.startswith(currval.lower()):
self.ipmicmd.xraw_command(0x3a, 0xf1, data=[4])
elif key.lower() in self.rulemap:
ruleset[self.rulemap[key.lower()]] = changeset[key]['value']
if key.lower() == 'password_expiration':
warntime = str(int(int(changeset[key]['value']) * 0.08))
ruleset['USER_GlobalPassExpWarningPeriod'] = warntime
elif 'presence_asserted'.startswith(key.lower()):
assertion = changeset[key]['value']
if 'enabled'.startswith(assertion.lower()):
self.wc.grab_json_response('/api/dataset',
{'IMM_RPPAssert': '0'})
self.wc.grab_json_response('/api/dataset',
{'IMM_RPPAssert': '1'})
elif 'disabled'.startswith(assertion.lower()):
self.wc.grab_json_response('/api/dataset',
{'IMM_RPPAssert': '0'})
else:
raise pygexc.InvalidParameterValue(
'"{0}" is not a recognized value for {1}'.format(
assertion, key))
elif key.lower() in (
'usb_ethernet', 'usb_ethernet_port_forwarding',
'usb_forwarded_ports'):
usbsettings[key] = changeset[key]['value']
else:
raise pygexc.InvalidParameterValue(
'{0} not a known setting'.format(key))
if ruleset:
self.wc.grab_json_response('/api/dataset', ruleset)
if usbsettings:
self.apply_usb_configuration(usbsettings)
def apply_usb_configuration(self, usbsettings):
def numify(val):
if 'enabled'.startswith(val.lower()):
return '1'
if 'disabled'.startswith(val.lower()):
return '0'
raise Exception('Usupported value')
usbparms = self.wc.grab_json_response('/api/dataset/imm_usb')
usbparms = usbparms.get('items', [{}])[0]
addrmode = '{0}'.format(usbparms['lan_over_usb_addr_mode'])
ethena = '{0}'.format(usbparms['usb_eth_over_usb_enabled'])
fwdena = '{0}'.format(usbparms['usb_eth_to_eth_enabled'])
newena = usbsettings.get('usb_ethernet', None)
newfwd = usbsettings.get('usb_ethernet_port_forwarding', None)
newsettings = {
'USB_LANOverUSBAddrMode': addrmode,
'USB_EthOverUsbEna': ethena,
'USB_PortForwardEna': fwdena,
'USB_IPChangeEna': '0',
}
needsettings = False
if newena is not None:
needsettings = True
newsettings['USB_EthOverUsbEna'] = numify(newena)
if newfwd is not None:
needsettings = True
newsettings['USB_PortForwardEna'] = numify(newfwd)
if needsettings:
self.wc.grab_json_response('/api/dataset', newsettings)
if 'usb_forwarded_ports' in usbsettings:
oldfwds = {}
usedids = set([])
newfwds = usbsettings['usb_forwarded_ports'].split(',')
for mapping in usbparms['usb_mapped_ports']:
rule = '{0}:{1}'.format(
mapping['ext_port'], mapping['eth_port'])
if rule not in newfwds:
self.wc.grab_json_response(
'/api/function', {
'USB_RemoveMapping': '{0}'.format(mapping['id'])})
else:
usedids.add(mapping['id'])
oldfwds[rule] = mapping['id']
for mapping in usbsettings['usb_forwarded_ports'].split(','):
if mapping not in oldfwds:
newid = 1
while newid in usedids:
newid += 1
if newid > 11:
raise Exception('Too Many Port Forwards')
usedids.add(newid)
newmapping = '{0},{1}'.format(
newid, mapping.replace(':', ','))
self.wc.grab_json_response(
'/api/function', {'USB_AddMapping': newmapping})
def clear_system_configuration(self):
res = self.wc.grab_json_response_with_status(
'/redfish/v1/Systems/1/Bios/Actions/Bios.ResetBios',
{'Action': 'Bios.ResetBios'},
headers={
'Authorization': 'Basic %s' % base64.b64encode(
(self.username + ':' + self.password).encode('utf8')
).decode('utf8'),
'Content-Type': 'application/json'
}
)
if res[1] < 200 or res[1] >= 300:
raise Exception(
'Unexpected response to clear configuration: {0}'.format(
res[0]))
def get_webclient(self, login=True):
cv = self.ipmicmd.certverify
wc = webclient.SecureHTTPConnection(self.imm, 443, verifycallback=cv)
wc.vintage = util._monotonic_time()
try:
wc.connect()
except socket.error as se:
if se.errno != errno.ECONNREFUSED:
raise
return None
if not login:
return wc
adata = json.dumps({'username': self.username,
'password': self.password
})
headers = {'Connection': 'keep-alive',
'Referer': 'https://xcc/',
'Host': 'xcc',
'Content-Type': 'application/json'}
rsp, status = wc.grab_json_response_with_status(
'/api/providers/get_nonce', {})
if status == 200:
nonce = rsp.get('nonce', None)
headers['Content-Security-Policy'] = 'nonce={0}'.format(nonce)
wc.request('POST', '/api/login', adata, headers)
rsp = wc.getresponse()
if rsp.status == 200:
rspdata = json.loads(rsp.read())
wc.set_header('Content-Type', 'application/json')
wc.set_header('Referer', 'https://xcc/')
wc.set_header('Host', 'xcc')
wc.set_header('Authorization', 'Bearer ' + rspdata['access_token'])
if '_csrf_token' in wc.cookies:
wc.set_header('X-XSRF-TOKEN', wc.cookies['_csrf_token'])
return wc
def _raid_number_map(self, controller):
themap = {}
cid = controller.split(',')
rsp = self.wc.grab_json_response(
'/api/function/raid_conf?'
'params=raidlink_GetDisksToConf,{0}'.format(cid[0]))
if rsp.get('return') == 22: # New style firmware
if cid[2] == 2:
arg = '{0},{1}'.format(cid[1], cid[2])
else:
arg = '{0},{1}'.format(cid[0], cid[2])
arg = 'params=raidlink_GetDisksToConf,{0}'.format(arg)
rsp = self.wc.grab_json_response(
'/api/function/raid_conf?{0}'.format(arg))
for lvl in rsp['items'][0]['supported_raidlvl']:
mapdata = (lvl['rdlvl'], lvl['maxSpan'])
raidname = lvl['rdlvlstr'].replace(' ', '').lower()
themap[raidname] = mapdata
raidname = raidname.replace('raid', 'r')
themap[raidname] = mapdata
raidname = raidname.replace('r', '')
themap[raidname] = mapdata
return themap
def check_storage_configuration(self, cfgspec=None):
rsp = self.wc.grab_json_response(
'/api/function/raid_conf?params=raidlink_GetStatus')
if rsp['items'][0]['status'] not in (2, 3):
raise pygexc.TemporaryError('Storage configuration unavailable in '
'current state (try boot to setup or '
'an OS)')
if not cfgspec:
return True
for pool in cfgspec.arrays:
self._parse_storage_cfgspec(pool)
self.weblogout()
return True
def get_diagnostic_data(self, savefile, progress=None, autosuffix=False):
result = self.wc.grab_json_response('/api/providers/ffdc',
{'Generate_FFDC_status': 1})
rsp = self.wc.grab_json_response('/api/providers/ffdc',
{'Generate_FFDC': 1})
if rsp.get('return', 0) == 4:
rsp = self.wc.grab_json_response('/api/providers/ffdc',
{'Generate_FFDC': 1,
'thermal_log': 0})
percent = 0
while percent != 100:
ipmisession.Session.pause(3)
result = self.wc.grab_json_response('/api/providers/ffdc',
{'Generate_FFDC_status': 1})
self._refresh_token()
if progress:
progress({'phase': 'initializing', 'progress': float(percent)})
percent = result['progress']
while 'FileName' not in result:
result = self.wc.grab_json_response('/api/providers/ffdc',
{'Generate_FFDC_status': 1})
url = '/ffdc/{0}'.format(result['FileName'])
if autosuffix and not savefile.endswith('.tzz'):
savefile += '-{0}'.format(result['FileName'])
fd = webclient.FileDownloader(self.wc, url, savefile)
fd.start()
while fd.isAlive():
fd.join(1)
if progress and self.wc.get_download_progress():
progress({'phase': 'download',
'progress': 100 * self.wc.get_download_progress()})
self._refresh_token()
if fd.exc:
raise fd.exc
if progress:
progress({'phase': 'complete'})
return savefile
def disk_inventory(self, mode=0):
# mode 0 is firmware, 1 is hardware
storagedata = self.get_cached_data('lenovo_cached_storage')
if not storagedata:
if self.wc:
storagedata = self.wc.grab_json_response(
'/api/function/raid_alldevices?params=storage_GetAllDisks')
if storagedata:
self.datacache['lenovo_cached_storage'] = (
storagedata, util._monotonic_time())
if storagedata and 'items' in storagedata:
for adp in storagedata['items']:
for diskent in adp.get('disks', ()):
if mode == 0:
yield self.get_disk_firmware(diskent)
elif mode == 1:
yield self.get_disk_hardware(diskent)
for diskent in adp.get('aimDisks', ()):
if mode == 0:
yield self.get_disk_firmware(diskent)
elif mode == 1:
yield self.get_disk_hardware(diskent)
if mode == 1:
bdata = {'Description': 'Unmanaged Disk'}
if adp.get('m2Type', -1) == 2:
yield 'M.2 Disk', bdata
for umd in adp.get('unmanagedDisks', []):
yield 'Disk {0}'.format(umd['slotNo']), bdata
def get_disk_hardware(self, diskent, prefix=''):
bdata = {}
if not prefix:
location = diskent.get('location', '')
if location.startswith('M.2'):
prefix = 'M.2-'
elif location.startswith('7MM'):
prefix = '7MM-'
diskname = 'Disk {1}{0}'.format(diskent['slotNo'], prefix)
bdata['Model'] = diskent['productName'].rstrip()
bdata['Serial Number'] = diskent['serialNo'].rstrip()
bdata['FRU Number'] = diskent['fruPartNo'].rstrip()
bdata['Description'] = diskent['type'].rstrip()
return (diskname, bdata)
def get_disk_firmware(self, diskent, prefix=''):
bdata = {}
if not prefix:
location = diskent.get('location', '')
if location.startswith('M.2'):
prefix = 'M.2-'
elif location.startswith('7MM'):
prefix = '7MM-'
diskname = 'Disk {1}{0}'.format(diskent['slotNo'], prefix)
bdata['model'] = diskent[
'productName'].rstrip()
bdata['version'] = diskent['fwVersion']
return (diskname, bdata)
def _parse_array_spec(self, arrayspec):
controller = None
if arrayspec.disks:
for disk in list(arrayspec.disks) + list(arrayspec.hotspares):
if controller is None:
controller = disk.id[0]
if controller != disk.id[0]:
raise pygexc.UnsupportedFunctionality(
'Cannot span arrays across controllers')
raidmap = self._raid_number_map(controller)
if not raidmap:
raise pygexc.InvalidParameterValue(
'There are no available drives for a new array')
requestedlevel = str(arrayspec.raid).lower()
if requestedlevel not in raidmap:
raise pygexc.InvalidParameterValue(
'Requested RAID "{0}" not available on this '
'system with currently available drives'.format(
requestedlevel))
rdinfo = raidmap[str(arrayspec.raid).lower()]
rdlvl = str(rdinfo[0])
defspan = 1 if rdinfo[1] == 1 else 2
spancount = defspan if arrayspec.spans is None else arrayspec.spans
drivesperspan = str(len(arrayspec.disks) // int(spancount))
hotspares = arrayspec.hotspares
drives = arrayspec.disks
if hotspares:
hstr = '|'.join([str(x.id[1]) for x in hotspares]) + '|'
else:
hstr = ''
drvstr = '|'.join([str(x.id[1]) for x in drives]) + '|'
ctl = controller.split(',')
pth = '/api/function/raid_conf?params=raidlink_CheckConfisValid'
args = [pth, ctl[0], rdlvl, spancount, drivesperspan, drvstr,
hstr]
url = ','.join([str(x) for x in args])
rsp = self.wc.grab_json_response(url)
if rsp.get('return', -1) == 22:
args.append(ctl[1])
args = [pth, ctl[0], rdlvl, spancount, drivesperspan, drvstr,
hstr, ctl[1]]
url = ','.join([str(x) for x in args])
rsp = self.wc.grab_json_response(url)
if rsp['items'][0]['errcode'] == 16:
raise pygexc.InvalidParameterValue('Incorrect number of disks')
elif rsp['items'][0]['errcode'] != 0:
raise pygexc.InvalidParameterValue(
'Invalid configuration: {0}'.format(
rsp['items'][0]['errcode']))
return {
'capacity': rsp['items'][0]['freeCapacity'],
'controller': controller,
'drives': drvstr,
'hotspares': hstr,
'raidlevel': rdlvl,
'spans': spancount,
'perspan': drivesperspan,
}
else:
# TODO(): adding new volume to existing array would be here
pass
def _make_jbod(self, disk, realcfg):
currstatus = self._get_status(disk, realcfg)
if currstatus.lower() == 'jbod':
return
self._make_available(disk, realcfg)
self._set_drive_state(disk, 16)
def _make_global_hotspare(self, disk, realcfg):
currstatus = self._get_status(disk, realcfg)
if currstatus.lower() == 'global hot spare':
return
self._make_available(disk, realcfg)
self._set_drive_state(disk, 1)
def _make_available(self, disk, realcfg):
# 8 if jbod, 4 if hotspare.., leave alone if already...
currstatus = self._get_status(disk, realcfg)
newstate = None
if currstatus == 'Unconfigured Good':
return
elif currstatus.lower() == 'global hot spare':
newstate = 4
elif currstatus.lower() == 'jbod':
newstate = 8
self._set_drive_state(disk, newstate)
def _get_status(self, disk, realcfg):
for cfgdisk in realcfg.disks:
if disk.id == cfgdisk.id:
currstatus = cfgdisk.status
break
else:
raise pygexc.InvalidParameterValue('Requested disk not found')
return currstatus
def _set_drive_state(self, disk, state):
rsp = self.wc.grab_json_response(
'/api/function',
{'raidlink_DiskStateAction': '{0},{1}'.format(disk.id[1], state)})
if rsp.get('return', -1) != 0:
raise Exception(
'Unexpected return to set disk state: {0}'.format(
rsp.get('return', -1)))
def clear_storage_arrays(self):
rsp = self.wc.grab_json_response(
'/api/function', {'raidlink_ClearRaidConf': '1'})
self.weblogout()
if rsp['return'] != 0:
raise Exception('Unexpected return to clear config: ' + repr(rsp))
def remove_storage_configuration(self, cfgspec):
realcfg = self.get_storage_configuration(False)
for pool in cfgspec.arrays:
for volume in pool.volumes:
cid = volume.id[0].split(',')
if cid[2] == 2:
vid = '{0},{1},{2}'.format(volume.id[1], cid[1], cid[2])
else:
vid = '{0},{1},{2}'.format(volume.id[1], cid[0], cid[2])
rsp = self.wc.grab_json_response(
'/api/function', {'raidlink_RemoveVolumeAsync': vid})
if rsp.get('return', -1) == 2:
# older firmware
vid = '{0},{1}'.format(volume.id[1], cid[0])
rsp = self.wc.grab_json_response(
'/api/function', {'raidlink_RemoveVolumeAsync': vid})
if rsp.get('return', -1) != 0:
raise Exception(
'Unexpected return to volume deletion: ' + repr(rsp))
self._wait_storage_async()
for disk in cfgspec.disks:
self._make_available(disk, realcfg)
self.weblogout()
def apply_storage_configuration(self, cfgspec):
realcfg = self.get_storage_configuration(False)
for disk in cfgspec.disks:
if disk.status.lower() == 'jbod':
self._make_jbod(disk, realcfg)
elif disk.status.lower() == 'hotspare':
self._make_global_hotspare(disk, realcfg)
elif disk.status.lower() in ('unconfigured', 'available', 'ugood',
'unconfigured good'):
self._make_available(disk, realcfg)
for pool in cfgspec.arrays:
if pool.disks:
self._create_array(pool)
self.weblogout()
def _create_array(self, pool):
params = self._parse_array_spec(pool)
cid = params['controller'].split(',')[0]
cslotno = params['controller'].split(',')[1]
url = '/api/function/raid_conf?params=raidlink_GetDefaultVolProp'
args = (url, cid, 0, params['drives'])
props = self.wc.grab_json_response(','.join([str(x) for x in args]))
usesctrlslot = False
if not props: # newer firmware requires raidlevel too
args = (url, cid, params['raidlevel'], 0, params['drives'])
props = self.wc.grab_json_response(','.join([str(x) for x in args]))
elif 'return' in props and props['return'] == 22:
# Jan 2023 XCC FW - without controller slot number
args = (url, cid, params['raidlevel'], 0, params['drives'])
props = self.wc.grab_json_response(','.join([str(x) for x in args]))
if 'return' in props and props['return'] == 22:
usesctrlslot = True
# Jan 2023 XCC FW - with controller slot number
args = (url, cid, params['raidlevel'], 0, params['drives'], cslotno)
props = self.wc.grab_json_response(','.join([str(x) for x in args]))
props = props['items'][0]
volumes = pool.volumes
remainingcap = params['capacity']
nameappend = 1
vols = []
currvolnames = None
currcfg = None
for vol in volumes:
if vol.name is None:
# need to iterate while there exists a volume of that name
if currvolnames is None:
currcfg = self.get_storage_configuration(False)
currvolnames = set([])
for pool in currcfg.arrays:
for volume in pool.volumes:
currvolnames.add(volume.name)
name = props['name'] + '_{0}'.format(nameappend)
nameappend += 1
while name in currvolnames:
name = props['name'] + '_{0}'.format(nameappend)
nameappend += 1
else:
name = vol.name
if vol.stripsize is not None:
stripsize = int(math.log(vol.stripsize * 2, 2))
else:
stripsize = props['stripsize']
if vol.read_policy is not None:
read_policy = vol.read_policy
else:
read_policy = props["cpra"]
if vol.write_policy is not None:
write_policy = vol.write_policy
else:
write_policy = props["cpwb"]
if vol.default_init is not None:
default_init = vol.default_init
else:
default_init = props["initstate"]
strsize = 'remainder' if vol.size is None else str(vol.size)
if strsize in ('all', '100%'):
volsize = params['capacity']
elif strsize in ('remainder', 'rest'):
volsize = remainingcap
elif strsize.endswith('%'):
volsize = int(params['capacity']
* float(strsize.replace('%', '')) / 100.0)
else:
try:
volsize = int(strsize)
except ValueError:
raise pygexc.InvalidParameterValue(
'Unrecognized size ' + strsize)
remainingcap -= volsize
if remainingcap < 0:
raise pygexc.InvalidParameterValue(
'Requested sizes exceed available capacity')
vols.append('{0};{1};{2};{3};{4};{5};{6};{7};{8};|'.format(
name, volsize, stripsize, write_policy, read_policy,
props['cpio'], props['ap'], props['dcp'], default_init))
url = '/api/function'
cid = params['controller'].split(',')
cnum = cid[0]
arglist = '{0},{1},{2},{3},{4},{5},'.format(
cnum, params['raidlevel'], params['spans'],
params['perspan'], params['drives'], params['hotspares'])
arglist += ''.join(vols)
parms = {'raidlink_AddNewVolWithNaAsync': arglist}
rsp = self.wc.grab_json_response(url, parms)
if rsp['return'] == 14: # newer firmware
if 'supported_cpwb' in props and not usesctrlslot: # no ctrl_type
arglist = '{0},{1},{2},{3},{4},{5},{6},'.format(
cnum, params['raidlevel'], params['spans'],
params['perspan'], 0, params['drives'], params['hotspares'])
arglist += ''.join(vols)
parms = {'raidlink_AddNewVolWithNaAsync': arglist}
rsp = self.wc.grab_json_response(url, parms)
else: # with ctrl_type
if cid[2] == 2:
cnum = cid[1]
arglist = '{0},{1},{2},{3},{4},{5},'.format(
cnum, params['raidlevel'], params['spans'],
params['perspan'], params['drives'], params['hotspares'])
arglist += ''.join(vols) + ',{0}'.format(cid[2])
parms = {'raidlink_AddNewVolWithNaAsync': arglist}
rsp = self.wc.grab_json_response(url, parms)
if rsp['return'] != 0:
raise Exception(
'Unexpected response to add volume command: ' + repr(rsp))
self._wait_storage_async()
def _wait_storage_async(self):
rsp = {'items': [{'status': 0}]}
while rsp['items'][0]['status'] == 0:
ipmisession.Session.pause(1)
rsp = self.wc.grab_json_response(
'/api/function/raid_conf?params=raidlink_QueryAsyncStatus')
def extract_drivelist(self, cfgspec, controller, drives):
for drive in cfgspec['drives']:
ctl, drive = self._extract_drive_desc(drive)
if controller is None:
controller = ctl
if ctl != controller:
raise pygexc.UnsupportedFunctionality(
'Cannot span arrays across controllers')
drives.append(drive)
return controller
def get_oem_sensor_names(self, ipmicmd):
oemsensornames = super(XCCClient, self).get_oem_sensor_names(ipmicmd)
return oemsensornames
# therminfo = self.grab_cacheable_json(
# '/api/dataset/pwrmgmt?params=GetThermalRealTimeData', 1)
# if therminfo:
# for name in sorted(therminfo.get('items', [[]])[0]):
# if 'DIMM' in name and 'Temp' in name:
# oemsensornames = oemsensornames + (name,)
# return oemsensornames
def get_storage_configuration(self, logout=True):
rsp = self.wc.grab_json_response(
'/api/function/raid_alldevices?params=storage_GetAllDevices,0')
if not rsp:
rsp = self.wc.grab_json_response(
'/api/function/raid_alldevices?params=storage_GetAllDevices')
standalonedisks = []
pools = []
for item in rsp.get('items', []):
for cinfo in item['controllerInfo']:
cid = '{0},{1},{2}'.format(
cinfo['id'], cinfo.get('slotNo', -1), cinfo.get(
'type', -1))
for pool in cinfo['pools']:
volumes = []
disks = []
spares = []
for volume in pool['volumes']:
volumes.append(
storage.Volume(name=volume['name'],
size=volume['capacity'],
status=volume['statusStr'],
id=(cid, volume['id'])))
for disk in pool['disks']:
diskinfo = storage.Disk(
name=disk['name'], description=disk['type'],
id=(cid, disk['id']), status=disk['RAIDState'],
serial=disk['serialNo'], fru=disk['fruPartNo'])
if disk['RAIDState'] == 'Dedicated Hot Spare':
spares.append(diskinfo)
else:
disks.append(diskinfo)
totalsize = str_to_size(pool['totalCapacityStr'])
freesize = str_to_size(pool['freeCapacityStr'])
pools.append(storage.Array(
disks=disks, raid=pool['rdlvlstr'], volumes=volumes,
id=(cid, pool['id']), hotspares=spares,
capacity=totalsize, available_capacity=freesize))
for disk in cinfo.get('unconfiguredDisks', ()):
# can be unused, global hot spare, or JBOD
standalonedisks.append(
storage.Disk(
name=disk['name'], description=disk['type'],
id=(cid, disk['id']), status=disk['RAIDState'],
serial=disk['serialNo'], fru=disk['fruPartNo']))
if logout:
self.weblogout()
return storage.ConfigSpec(disks=standalonedisks, arrays=pools)
def attach_remote_media(self, url, user, password):
proto, host, path = util.urlsplit(url)
if proto == 'smb':
proto = 'cifs'
rq = {'Option': '', 'Domain': '', 'Write': 0}
# nfs == 1, cifs == 0
if proto == 'nfs':
rq['Protocol'] = 1
rq['Url'] = '{0}:{1}'.format(host, path)
elif proto == 'cifs':
rq['Protocol'] = 0
rq['Credential'] = '{0}:{1}'.format(user, password)
rq['Url'] = '//{0}{1}'.format(host, path)
elif proto in ('http', 'https'):
rq['Protocol'] = 7
rq['Url'] = url
else:
raise pygexc.UnsupportedFunctionality(
'"{0}" scheme is not supported on this system or '
'invalid url format'.format(proto))
rt = self.wc.grab_json_response('/api/providers/rp_vm_remote_connect',
json.dumps(rq))
if 'return' not in rt or rt['return'] != 0:
if rt['return'] in (657, 659, 656):
raise pygexc.InvalidParameterValue(
'Given location was unreachable by the XCC')
if rt['return'] == 32:
raise pygexc.InvalidParameterValue(
'XCC does not have required license for operation')
raise Exception('Unhandled return: ' + repr(rt))
rt = self.wc.grab_json_response('/api/providers/rp_vm_remote_mountall',
'{}')
if 'return' not in rt or rt['return'] != 0:
if rt['return'] in (657, 659, 656):
raise pygexc.InvalidParameterValue(
'Given location was unreachable by the XCC')
raise Exception('Unhandled return: ' + repr(rt))
if not self._keepalivesession:
# keep at least one session alive so that the
# XCC doesn't unmount the media
self._keepalivesession = self._wc
self._wc = None
def keepalive(self):
if self.fwo and util._monotonic_time() - self.fwovintage > 15:
self.fwo = None
if self._keepalivesession:
self._refresh_token_wc(self._keepalivesession)
elif self._wc and self._wc.vintage < util._monotonic_time() - 20:
self.weblogout()
def fetch_psu_firmware(self):
psudata = self.get_cached_data('lenovo_cached_psu')
if not psudata:
if self.wc:
psudata = self.wc.grab_json_response(
'/api/function/psu_update?params=GetPsuListAndFW')
if psudata:
self.datacache['lenovo_cached_psu'] = (
psudata, util._monotonic_time())
if not psudata:
return
for psu in psudata.get('items', ()):
yield ('PSU {0}'.format(psu['slot']),
{'model': psu['model'],
'version': psu['version']})
def get_firmware_inventory(self, bmcver, components, category):
# First we fetch the system firmware found in imm properties
# then check for agentless, if agentless, get adapter info using
# https, using the caller TLS verification scheme
if 'core' in components:
category = 'core'
if not category:
category = 'all'
components = set(components)
if category in ('all', 'core') and (not components
or set(('core', 'imm', 'bmc', 'xcc')) & components):
rsp = self.ipmicmd.xraw_command(netfn=0x3a, command=0x50)
immverdata = self.parse_imm_buildinfo(rsp['data'])
bmcmajor, bmcminor = [int(x) for x in bmcver.split('.')]
bmcver = '{0}.{1:02d}'.format(bmcmajor, bmcminor)
bdata = {'version': bmcver,
'build': immverdata[0],
'date': immverdata[1]}
yield self.bmcname, bdata
bdata = self.fetch_grouped_properties({
'build': '/v2/ibmc/dm/fw/imm3/backup_pending_build_id',
'version': '/v2/ibmc/dm/fw/imm3/backup_pending_build_version',
'date': '/v2/ibmc/dm/fw/imm3/backup_pending_build_date'})
if bdata:
yield '{0} Backup'.format(self.bmcname), bdata
else:
bdata = self.fetch_grouped_properties({
'build': '/v2/ibmc/dm/fw/imm3/backup_build_id',
'version': '/v2/ibmc/dm/fw/imm3/backup_build_version',
'date': '/v2/ibmc/dm/fw/imm3/backup_build_date'})
if bdata:
yield '{0} Backup'.format(self.bmcname), bdata
bdata = self.fetch_grouped_properties({
'build': '/v2/ibmc/trusted_buildid',
})
if bdata:
bdata = self.fetch_grouped_properties({
'build': '/v2/ibmc/trusted_buildid',
})
if bdata:
yield '{0} Trusted Image'.format(self.bmcname), bdata
bdata = self.fetch_grouped_properties({
'build': '/v2/ibmc/dm/fw/imm3/primary_pending_build_id',
'version': '/v2/ibmc/dm/fw/imm3/primary_pending_build_version',
'date': '/v2/ibmc/dm/fw/imm3/primary_pending_build_date'})
if bdata:
yield '{0} Pending Update'.format(self.bmcname), bdata
if category in ('all', 'core') and not components or set(('core', 'uefi', 'bios')) & components:
bdata = self.fetch_grouped_properties({
'build': '/v2/bios/build_id',
'version': '/v2/bios/build_version',
'date': '/v2/bios/build_date'})
if bdata:
yield 'UEFI', bdata
# Note that the next pending could be pending for either primary
# or backup, so can't promise where it will go
bdata = self.fetch_grouped_properties({
'build': '/v2/bios/pending_build_id'})
if bdata:
yield 'UEFI Pending Update', bdata
if category in ('all', 'core') and not components or set(('lxpm', 'core')) & components:
bdata = self.fetch_grouped_properties({
'build': '/v2/tdm/build_id',
'version': '/v2/tdm/build_version',
'date': '/v2/tdm/build_date'})
if bdata:
yield 'LXPM', bdata
bdata = self.fetch_grouped_properties({
'build': '/v2/drvwn/build_id',
'version': '/v2/drvwn/build_version',
'date': '/v2/drvwn/build_date',
})
if bdata:
yield 'LXPM Windows Driver Bundle', bdata
bdata = self.fetch_grouped_properties({
'build': '/v2/drvln/build_id',
'version': '/v2/drvln/build_version',
'date': '/v2/drvln/build_date',
})
if bdata:
yield 'LXPM Linux Driver Bundle', bdata
if category in ('all', 'core') and (not components or set(('lxum', 'core'))):
sysinf = self.wc.grab_json_response('/api/dataset/sys_info')
for item in sysinf.get('items', {}):
for firm in item.get('firmware', []):
firminfo = {
'version': firm['version'],
'build': firm['build'],
'date': parse_time(firm['release_date']),
}
if firm['type'] == 10:
yield ('LXUM', firminfo)
if category in ('all', 'core') and (not components or set(('core', 'fpga')) in components):
try:
fpga = self.ipmicmd.xraw_command(netfn=0x3a, command=0x6b,
data=(0,))
fpga = '{0}.{1}.{2}'.format(
*struct.unpack('BBB', fpga['data']))
yield 'FPGA', {'version': fpga}
except pygexc.IpmiException as ie:
if ie.ipmicode != 193:
raise
needdiskfirmware = category in ('all', 'disks')
needadapterfirmware = category in ('all', 'adapters')
needpsufirmware = category in ('all', 'misc')
for firm in self.fetch_agentless_firmware(needdisk=needdiskfirmware, needadp=needadapterfirmware):
yield firm
if needpsufirmware:
for firm in self.fetch_psu_firmware():
yield firm
def detach_remote_media(self):
if self._keepalivesession:
# log out from the extra session
try:
self._keepalivesession.grab_json_response(self.logouturl)
except Exception:
pass
self._keepalivesession = None
rt = self.wc.grab_json_response('/api/providers/rp_vm_remote_getdisk')
if 'items' in rt:
slots = []
for mount in rt['items']:
slots.append(mount['slotId'])
for slot in slots:
rt = self.wc.grab_json_response(
'/api/providers/rp_vm_remote_unmount',
json.dumps({'Slot': str(slot)}))
if 'return' not in rt or rt['return'] != 0:
raise Exception("Unrecognized return: " + repr(rt))
rdocs = self.wc.grab_json_response('/api/providers/rp_rdoc_imagelist')
for rdoc in rdocs['items']:
filename = rdoc['filename']
rt = self.wc.grab_json_response('/api/providers/rp_rdoc_unmount',
{'ImageName': filename})
if rt.get('return', 1) != 0:
raise Exception("Unrecognized return: " + repr(rt))
self.weblogout()
def list_media(self):
rt = self.wc.grab_json_response('/api/providers/rp_vm_remote_getdisk')
if 'items' in rt:
for mt in rt['items']:
url = mt['remotepath']
if url.startswith('//'):
url = 'smb:' + url
elif (not url.startswith('http://')
and not url.startswith('https://')):
url = url.replace(':', '')
url = 'nfs://' + url
yield media.Media(mt['filename'], url)
for rdoc in self._list_rdoc():
yield rdoc
self.weblogout()
def _list_rdoc(self):
rt = self.wc.grab_json_response('/api/providers/rp_rdoc_imagelist')
if 'items' in rt:
for mt in rt['items']:
yield media.Media(mt['filename'])
def upload_media(self, filename, progress=None, data=None):
wc = self.wc
self._refresh_token()
numrdocs = 0
for rdoc in self._list_rdoc():
numrdocs += 1
if rdoc.name == os.path.basename(filename):
raise pygexc.InvalidParameterValue(
'An image with that name already exists')
if numrdocs >= 2:
raise pygexc.InvalidParameterValue(
'Maximum number of uploaded media reached')
rsp, statu = wc.grab_json_response_with_status('/rdocupload')
newmode = False
if statu == 404:
xid = random.randint(0, 1000000000)
uploadthread = webclient.FileUploader(
wc, '/upload?X-Progress-ID={0}'.format(xid), filename, data)
else:
newmode = True
uploadthread = webclient.FileUploader(
wc, '/rdocupload', filename, data)
uploadthread.start()
while uploadthread.isAlive():
uploadthread.join(3)
if newmode:
if progress:
progress({'phase': 'upload',
'progress': 100 * wc.get_upload_progress()})
else:
rsp = self.wc.grab_json_response(
'/upload/progress?X-Progress-ID={0}'.format(xid))
if progress and rsp['state'] == 'uploading':
progress({'phase': 'upload',
'progress': 100.0 * rsp['received'] / rsp['size']})
self._refresh_token()
if uploadthread.rsp:
rsp = json.loads(uploadthread.rsp)
else:
rsp = {}
if progress:
progress({'phase': 'upload',
'progress': 100.0})
if 'items' not in rsp or len(rsp['items']) == 0:
errmsg = repr(rsp) if rsp else self.wc.lastjsonerror if self.wc.lastjsonerror else repr(uploadthread.rspstatus)
raise pygexc.PyghmiException('Failed to upload image: ' + errmsg)
thepath = rsp['items'][0]['path']
thename = rsp['items'][0]['name']
writeable = 1 if filename.lower().endswith('.img') else 0
addfile = {"Url": thepath, "Protocol": 6, "Write": writeable,
"Credential": ":", "Option": "", "Domain": "",
"WebUploadName": thename}
rsp = self.wc.grab_json_response('/api/providers/rp_rdoc_addfile',
addfile)
self._refresh_token()
if rsp.get('return', -1) != 0:
errmsg = repr(rsp) if rsp else self.wc.lastjsonerror
raise Exception('Unrecognized return: ' + errmsg)
ready = False
while not ready:
ipmisession.Session.pause(3)
rsp = self.wc.grab_json_response('/api/providers/rp_rdoc_getfiles')
if 'items' not in rsp or len(rsp['items']) == 0:
raise Exception(
'Image upload was not accepted, it may be too large')
ready = rsp['items'][0]['size'] != 0
self._refresh_token()
rsp = self.wc.grab_json_response('/api/providers/rp_rdoc_mountall',
{})
self._refresh_token()
if rsp.get('return', -1) != 0:
errmsg = repr(rsp) if rsp else self.wc.lastjsonerror
raise Exception('Unrecognized return: ' + errmsg)
if progress:
progress({'phase': 'complete'})
self.weblogout()
def grab_redfish_response_emptyonerror(self, url, body=None, method=None):
rsp, status = self.grab_redfish_response_with_status(url, body, method)
if status >= 200 and status < 300:
return rsp
return {}
def grab_redfish_response_with_status(self, url, body=None, method=None):
return self.wc.grab_json_response_with_status(url, body, headers={
'Authorization': 'Basic %s' % base64.b64encode(
(self.username + ':' + self.password).encode('utf8')
).decode('utf8'),
'Content-Type': 'application/json'}, method=method)
def redfish_update_firmware(self, usd, filename, data, progress, bank):
if usd['HttpPushUriTargetsBusy']:
raise pygexc.TemporaryError('Cannot run multiple updates to same '
'target concurrently')
z = None
wrappedfilename = None
uxzcount = 0
needseek = False
if data and hasattr(data, 'read'):
if zipfile.is_zipfile(data):
needseek = True
z = zipfile.ZipFile(data)
else:
data.seek(0)
elif data is None and zipfile.is_zipfile(filename):
z = zipfile.ZipFile(filename)
if z:
for tmpname in z.namelist():
if tmpname.startswith('payloads/'):
uxzcount += 1
if tmpname.endswith('.uxz'):
wrappedfilename = tmpname
if uxzcount == 1 and wrappedfilename:
filename = os.path.basename(wrappedfilename)
data = z.open(wrappedfilename)
elif needseek:
data.seek(0)
upurl = usd['HttpPushUri']
self.grab_redfish_response_with_status(
'/redfish/v1/UpdateService',
{'HttpPushUriTargetsBusy': True}, method='PATCH')
try:
if bank == 'backup':
self.grab_redfish_response_with_status(
'/redfish/v1/UpdateService',
{'HttpPushUriTargets':
['/redfish/v1/UpdateService'
'/FirmwareInventory/BMC-Backup']}, method='PATCH')
wc = self.wc.dupe()
wc.set_basic_credentials(self.username, self.password)
uploadthread = webclient.FileUploader(wc, upurl, filename,
data, formwrap=False,
excepterror=False)
uploadthread.start()
while uploadthread.isAlive():
uploadthread.join(3)
if progress:
progress({'phase': 'upload',
'progress': 100 * wc.get_upload_progress()})
if uploadthread.rspstatus >= 300 or uploadthread.rspstatus < 200:
rsp = uploadthread.rsp
errmsg = f'Upload failed with HTTP status {uploadthread.rspstatus}'
try:
rsp = json.loads(rsp)
errmsg = (
rsp['error']['@Message.ExtendedInfo'][0]['Message'])
except Exception:
errmsg = errmsg + ': ' + str(rsp)
raise Exception(errmsg)
raise Exception(errmsg)
rsp = json.loads(uploadthread.rsp)
monitorurl = rsp['@odata.id']
complete = False
phase = "apply"
statetype = 'TaskState'
# sometimes we get an empty pgress when transitioning from the apply phase to
# the validating phase; add a retry here so we don't exit the loop in this case
retry = 3
while not complete and retry > 0:
try:
pgress, status = self.grab_redfish_response_with_status(
monitorurl)
except socket.timeout:
pgress = None
if status < 200 or status >= 300:
raise Exception(pgress)
if not pgress:
retry -= 1
ipmisession.Session.pause(3)
continue
retry = 3 # reset retry counter
for msg in pgress.get('Messages', []):
if 'Verify failed' in msg.get('Message', ''):
raise Exception(msg['Message'])
state = pgress[statetype]
if state in ('Cancelled', 'Exception',
'Interrupted', 'Suspended'):
raise Exception(json.dumps(pgress['Messages']))
pct = float(pgress['PercentComplete'])
complete = state == 'Completed'
progress({'phase': phase, 'progress': pct})
if complete:
msgs = pgress.get('Messages', [])
if msgs and 'OperationTransitionedToJob' in msgs[0].get('MessageId', ''):
monitorurl = pgress['Messages'][0]['MessageArgs'][0]
phase = 'validating'
statetype = 'JobState'
complete = False
ipmisession.Session.pause(3)
else:
ipmisession.Session.pause(3)
if not retry:
raise Exception('Falied to monitor update progress due to excessive timeouts')
if bank == 'backup':
return 'complete'
return 'pending'
finally:
self.grab_redfish_response_with_status(
'/redfish/v1/UpdateService',
{'HttpPushUriTargetsBusy': False}, method='PATCH')
self.grab_redfish_response_with_status(
'/redfish/v1/UpdateService',
{'HttpPushUriTargets': []}, method='PATCH')
def set_custom_user_privilege(self, uid, privilege):
return self.set_user_access(self, uid, privilege)
def get_update_status(self):
upd = self.grab_redfish_response_emptyonerror('/redfish/v1/UpdateService')
health = upd.get('Status', {}).get('Health', 'bod')
if health == 'OK':
return 'ready'
return 'unavailable'
def update_firmware(self, filename, data=None, progress=None, bank=None):
usd = self.grab_redfish_response_emptyonerror(
'/redfish/v1/UpdateService')
rfishurl = usd.get('HttpPushUri', None)
if rfishurl:
self.weblogout()
return self.redfish_update_firmware(
usd, filename, data, progress, bank)
result = None
if self.updating:
raise pygexc.TemporaryError('Cannot run multiple updates to same '
'target concurrently')
self.updating = True
try:
result = self.update_firmware_backend(filename, data, progress,
bank)
except Exception:
self.updating = False
self._refresh_token()
self.wc.grab_json_response('/api/providers/fwupdate', json.dumps(
{'UPD_WebCancel': 1}))
self.weblogout()
raise
self.updating = False
self.weblogout()
return result
def _refresh_token(self):
self._refresh_token_wc(self.wc)
def _refresh_token_wc(self, wc):
wc.grab_json_response('/api/providers/identity')
if '_csrf_token' in wc.cookies:
wc.set_header('X-XSRF-TOKEN', self.wc.cookies['_csrf_token'])
wc.vintage = util._monotonic_time()
def set_hostname(self, hostname):
self.wc.grab_json_response('/api/dataset', {'IMM_HostName': hostname})
self.wc.grab_json_response('/api/dataset', {'IMM_DescName': hostname})
self.weblogout()
def get_hostname(self):
rsp = self.wc.grab_json_response('/api/dataset/sys_info')
self.weblogout()
return rsp['items'][0]['system_name']
def update_firmware_backend(self, filename, data=None, progress=None,
bank=None):
self.weblogout()
self._refresh_token()
rsv = self.wc.grab_json_response('/api/providers/fwupdate', json.dumps(
{'UPD_WebReserve': 1}))
if rsv['return'] == 103:
raise Exception('Update already in progress')
if rsv['return'] != 0:
raise Exception('Unexpected return to reservation: ' + repr(rsv))
xid = random.randint(0, 1000000000)
uploadthread = webclient.FileUploader(
self.wc, '/upload?X-Progress-ID={0}'.format(xid), filename, data)
uploadthread.start()
uploadstate = None
while uploadthread.isAlive():
uploadthread.join(3)
rsp = self.wc.grab_json_response(
'/upload/progress?X-Progress-ID={0}'.format(xid))
if rsp['state'] == 'uploading':
progress({'phase': 'upload',
'progress': 100.0 * rsp['received'] / rsp['size']})
elif rsp['state'] != 'done':
if (rsp.get('status', None) == 413
or uploadthread.rspstatus == 413):
raise Exception('File is larger than supported')
raise Exception('Unexpected result:' + repr(rsp))
uploadstate = rsp['state']
self._refresh_token()
while uploadstate != 'done':
rsp = self.wc.grab_json_response(
'/upload/progress?X-Progress-ID={0}'.format(xid))
uploadstate = rsp['state']
self._refresh_token()
rsp = json.loads(uploadthread.rsp)
if rsp['items'][0]['name'] != os.path.basename(filename):
raise Exception('Unexpected response: ' + repr(rsp))
progress({'phase': 'validating',
'progress': 0.0})
ipmisession.Session.pause(3)
# aggressive timing can cause the next call to occasionally
# return 25 and fail
self._refresh_token()
rsp = self.wc.grab_json_response('/api/providers/fwupdate', json.dumps(
{'UPD_WebSetFileName': rsp['items'][0]['path']}))
if rsp.get('return', 0) in (25, 108):
raise Exception('Temporary error validating update, try again')
if rsp.get('return', -1) != 0:
errmsg = repr(rsp) if rsp else self.wc.lastjsonerror
raise Exception('Unexpected return to set filename: ' + errmsg)
self._refresh_token()
progress({'phase': 'validating',
'progress': 25.0})
rsp = self.wc.grab_json_response('/api/providers/fwupdate', json.dumps(
{'UPD_WebVerifyUploadFile': 1}))
if rsp.get('return', 0) == 115:
raise Exception('Update image not intended for this system')
elif rsp.get('return', -1) == 108:
raise Exception('Temporary error validating update, try again')
elif rsp.get('return', -1) == 109:
raise Exception('Invalid update file or component does '
'not support remote update')
elif rsp.get('return', -1) != 0:
errmsg = repr(rsp) if rsp else self.wc.lastjsonerror
raise Exception('Unexpected return to verify: ' + errmsg)
verifystatus = 0
verifyuploadfilersp = None
while verifystatus != 1:
self._refresh_token()
rsp, status = self.wc.grab_json_response_with_status(
'/api/providers/fwupdate',
json.dumps({'UPD_WebVerifyUploadFileStatus': 1}))
if not rsp or status != 200 or rsp.get('return', -1) == 2:
# The XCC firmware predates the FileStatus api
verifyuploadfilersp = rsp
break
if rsp.get('return', -1) == 109:
raise Exception('Invalid update file or component does '
'not support remote update')
if rsp.get('return', -1) != 0:
errmsg = repr(rsp) if rsp else self.wc.lastjsonerror
raise Exception(
'Unexpected return to verifystate: {0}'.format(errmsg))
verifystatus = rsp['status']
if verifystatus == 2:
raise Exception('Failed to verify firmware image')
if verifystatus != 1:
ipmisession.Session.pause(1)
if verifystatus not in (0, 1, 255):
errmsg = repr(rsp) if rsp else self.wc.lastjsonerror
raise Exception(
'Unexpected reply to verifystate: ' + errmsg)
progress({'phase': 'validating',
'progress': 99.0})
self._refresh_token()
rsp = self.wc.grab_json_response('/api/dataset/imm_firmware_success')
if len(rsp['items']) != 1:
raise Exception('Unexpected result: ' + repr(rsp))
firmtype = rsp['items'][0]['firmware_type']
if not firmtype:
raise Exception('Unknown firmware description returned: ' + repr(
rsp['items'][0]) + ' last verify return was: ' + repr(
verifyuploadfilersp) + ' with code {0}'.format(status))
if firmtype not in (
'TDM', 'WINDOWS DRIV', 'LINUX DRIVER', 'UEFI', 'IMM'):
# adapter firmware
webid = rsp['items'][0]['webfile_build_id']
locations = webid[webid.find('[') + 1:webid.find(']')]
locations = locations.split(':')
validselectors = set([])
for loc in locations:
validselectors.add(loc.replace('#', '-'))
self._refresh_token()
rsp = self.wc.grab_json_response(
'/api/function/adapter_update?params=pci_GetAdapterListAndFW')
foundselectors = []
for adpitem in rsp['items']:
selector = '{0}-{1}'.format(adpitem['location'],
adpitem['slotNo'])
if selector in validselectors:
foundselectors.append(selector)
if len(foundselectors) == len(validselectors):
break
else:
raise Exception('Could not find matching adapter for update')
self._refresh_token()
rsp = self.wc.grab_json_response('/api/function', json.dumps(
{'pci_SetOOBFWSlots': '|'.join(foundselectors)}))
if rsp.get('return', -1) != 0:
errmsg = repr(rsp) if rsp else self.wc.lastjsonerror
raise Exception(
'Unexpected result from PCI select: ' + errmsg)
self.set_property('/v2/ibmc/uefi/force-inventory', 1)
else:
self._refresh_token()
rsp = self.wc.grab_json_response(
'/api/dataset/imm_firmware_update')
if rsp['items'][0]['upgrades'][0]['id'] != 1:
raise Exception('Unexpected answer: ' + repr(rsp))
self._refresh_token()
progress({'phase': 'apply',
'progress': 0.0})
if bank in ('primary', None):
rsp = self.wc.grab_json_response(
'/api/providers/fwupdate', json.dumps(
{'UPD_WebStartDefaultAction': 1}))
elif bank == 'backup':
rsp = self.wc.grab_json_response(
'/api/providers/fwupdate', json.dumps(
{'UPD_WebStartOptionalAction': 2}))
if rsp.get('return', -1) != 0:
errmsg = repr(rsp) if rsp else self.wc.lastjsonerror
raise Exception('Unexpected result starting update: %s' % errmsg)
complete = False
while not complete:
self._refresh_token()
ipmisession.Session.pause(3)
rsp = self.wc.grab_json_response(
'/api/dataset/imm_firmware_progress')
progress({'phase': 'apply',
'progress': rsp['items'][0]['action_percent_complete']})
if rsp['items'][0]['action_state'] == 'Idle':
complete = True
break
if rsp['items'][0]['action_state'] == 'Complete OK':
complete = True
if rsp['items'][0]['action_status'] != 0:
raise Exception('Unexpected failure: ' + repr(rsp))
break
if (rsp['items'][0]['action_state'] == 'In Progress'
and rsp['items'][0]['action_status'] == 2):
raise Exception('Unexpected failure: ' + repr(rsp))
if rsp['items'][0]['action_state'] != 'In Progress':
raise Exception(
'Unknown condition waiting for '
'firmware update: ' + repr(rsp))
if bank == 'backup':
return 'complete'
return 'pending'
def add_psu_hwinfo(self, hwmap):
psud = self.wc.grab_json_response('/api/dataset/imm_power_supplies')
if not psud:
return
for psus in psud['items'][0]['power']:
hwmap['PSU {0}'.format(psus['name'])] = {
'Wattage': psus['rated_power'],
'FRU Number': psus['fru_number'],
}
def augment_psu_info(self, info, psuname):
psud = self.get_cached_data('lenovo_cached_psuhwinfo')
if not psud:
psud = self.wc.grab_json_response(
'/api/dataset/imm_power_supplies')
if not psud:
return
self.datacache['lenovo_cached_psuhwinfo'] = (
psud, util._monotonic_time())
matchname = int(psuname.split(' ')[1])
for psus in psud['items'][0]['power']:
if psus['name'] == matchname:
info['Wattage'] = psus['rated_power']
break
def get_health(self, summary):
try:
wc = self.get_webclient(False)
except (socket.timeout, socket.error):
wc = None
if not wc:
summary['health'] = pygconst.Health.Critical
summary['badreadings'].append(
sdr.SensorReading({'name': 'HTTPS Service',
'states': ['Unreachable'],
'state_ids': [3],
'health': pygconst.Health.Critical,
'type': 'BMC'}, ''))
raise pygexc.BypassGenericBehavior()
rsp = wc.grab_json_response('/api/providers/imm_active_events')
if 'items' in rsp and len(rsp['items']) == 0:
# The XCC reports healthy, no need to interrogate
raise pygexc.BypassGenericBehavior()
fallbackdata = []
hmap = {
'I': pygconst.Health.Ok,
'E': pygconst.Health.Critical,
'W': pygconst.Health.Warning,
}
infoevents = False
existingevts = set([])
for item in rsp.get('items', ()):
# while usually the ipmi interrogation shall explain things,
# just in case there is a gap, make sure at least the
# health field is accurately updated
itemseverity = hmap.get(item.get('severity', 'E'),
pygconst.Health.Critical)
if itemseverity == pygconst.Health.Ok:
infoevents = True
continue
if (summary['health'] < itemseverity):
summary['health'] = itemseverity
if item['cmnid'] == 'FQXSPPW0104J':
# This event does not get modeled by the sensors
# add a made up sensor to explain
fallbackdata.append(
sdr.SensorReading({'name': item['source'],
'states': ['Not Redundant'],
'state_ids': [3],
'health': pygconst.Health.Warning,
'type': 'Power'}, ''))
elif item['cmnid'] == 'FQXSFMA0041K':
fallbackdata.append(
sdr.SensorReading({
'name': 'Optane DCPDIMM',
'health': pygconst.Health.Warning,
'type': 'Memory',
'states': [item['message']]},
'')
)
else:
currevt = '{}:{}'.format(item['source'], item['message'])
if currevt in existingevts:
continue
existingevts.add(currevt)
fallbackdata.append(sdr.SensorReading({
'name': item['source'],
'states': [item['message']],
'health': itemseverity,
'type': item['source'],
}, ''))
if (summary.get('health', pygconst.Health.Ok) == pygconst.Health.Ok
and not infoevents):
# Fault LED is lit without explanation, mark to encourage
# examination
summary['health'] = pygconst.Health.Warning
if not fallbackdata:
fallbackdata.append(sdr.SensorReading({
'name': 'Fault LED',
'states': ['Active'],
'health': pygconst.Health.Warning,
'type': 'LED',
}, ''))
summary['badreadings'] = fallbackdata
if fallbackdata:
raise pygexc.BypassGenericBehavior()
return fallbackdata
# Will use the generic handling for unhealthy systems
def get_licenses(self):
licdata = self.wc.grab_json_response('/api/providers/imm_fod')
for lic in licdata.get('items', [{}])[0].get('keys', []):
if lic['status'] == 0:
yield {'name': lic['feature'], 'state': 'Active'}
elif lic['status'] == 10:
yield {'name': lic['feature'],
'state': 'Missing required license'}
def save_licenses(self, directory):
licdata = self.wc.grab_json_response('/api/providers/imm_fod')
for lic in licdata.get('items', [{}])[0].get('keys', []):
licid = ','.join((str(lic['type']), str(lic['id'])))
rsp = self.wc.grab_json_response(
'/api/providers/imm_fod', {'FOD_LicenseKeyExport': licid})
filename = rsp.get('FileName', None)
if filename:
url = '/download/' + filename
savefile = os.path.join(directory, filename)
fd = webclient.FileDownloader(self.wc, url, savefile)
fd.start()
while fd.isAlive():
fd.join(1)
self._refresh_token()
yield savefile
def delete_license(self, name):
licdata = self.wc.grab_json_response('/api/providers/imm_fod')
for lic in licdata.get('items', [{}])[0].get('keys', []):
if lic.get('feature', None) == name:
licid = ','.join((str(lic['type']), str(lic['id'])))
self.wc.grab_json_response(
'/api/providers/imm_fod', {'FOD_LicenseKeyDelete': licid})
break
def apply_license(self, filename, progress=None, data=None):
license_errors = {
310: "License is for a different model of system",
311: "License is for a different system serial number",
312: "License is invalid",
313: "License is expired",
314: "License usage limit reached",
}
uploadthread = webclient.FileUploader(self.wc, '/upload', filename,
data=data)
uploadthread.start()
uploadthread.join()
rsp = json.loads(uploadthread.rsp)
licpath = rsp.get('items', [{}])[0].get('path', None)
if licpath:
rsp = self.wc.grab_json_response(
'/api/providers/imm_fod', {'FOD_LicenseKeyInstall': licpath})
if rsp.get('return', 0) in license_errors:
raise pygexc.InvalidParameterValue(
license_errors[rsp['return']])
return self.get_licenses()
def get_user_expiration(self, uid):
uid = uid - 1
userinfo = self.wc.grab_json_response('/api/dataset/imm_users')
for user in userinfo['items'][0]['users']:
if user['users_user_id'] == uid:
days = user['users_pass_left_days']
if days == 366:
return 0
else:
return days
|