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
|
################################################################################
#
# Copyright (C) 2016-2024 Advanced Micro Devices, Inc. All rights reserved.
#
# Permission is hereby granted, free of charge, to any person obtaining a copy
# of this software and associated documentation files (the "Software"), to deal
# in the Software without restriction, including without limitation the rights
# to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
# copies of the Software, and to permit persons to whom the Software is
# furnished to do so, subject to the following conditions:
#
# The above copyright notice and this permission notice shall be included in
# all copies or substantial portions of the Software.
#
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
# AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
# OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
# SOFTWARE.
#
################################################################################
# This script only gets called by CMake
if __name__ == "__main__":
print(
"This file can no longer be run as a script. Run 'Tensile/bin/TensileCreateLibrary' instead."
)
exit(1)
import collections
import itertools
import os
import re
import shlex
import shutil
import subprocess
import sys
import time
import warnings
from io import TextIOWrapper
from pathlib import Path
from typing import Any, Callable, Dict, List, Optional, Set, Tuple, Union
from . import ClientExecutable, Common, EmbeddedData, LibraryIO, Utils
from .Common import (
HR,
CHeader,
CMakeHeader,
assignGlobalParameters,
ensurePath,
getArchitectureName,
gfxName,
globalParameters,
printExit,
printWarning,
supportedCompiler,
tPrint,
which,
)
from .KernelWriterAssembly import KernelWriterAssembly
from .KernelWriterBase import KernelWriterBase
from .KernelWriterSource import KernelWriterSource
from .SolutionLibrary import MasterSolutionLibrary
from .SolutionStructs import Solution
from .TensileCreateLib.KernelFileContext import KernelFileContextManager
from .TensileCreateLib.ParseArguments import parseArguments
from .Utilities.Profile import profile
from .Utilities.String import splitDelimitedString
from .Utilities.toFile import toFile
TENSILE_MANIFEST_FILENAME = "TensileManifest.txt"
TENSILE_LIBRARY_DIR = "library"
ProcessedKernelResult = Tuple[int, str, str, str, Optional[str]]
def processKernelSource(kernel, kernelWriterSource, kernelWriterAssembly) -> ProcessedKernelResult:
"""Generate source for a single kernel.
Returns (error, source, header, kernelName).
"""
try:
kernelWriter = (
kernelWriterSource if kernel["KernelLanguage"] == "Source" else kernelWriterAssembly
)
# get kernel name
kernelName = kernelWriter.getKernelFileBase(kernel)
(err, src) = kernelWriter.getSourceFileString(kernel)
header = kernelWriter.getHeaderFileString(kernel)
# will be put in Kernels.h/cpp if None
filename = kernel.get("codeObjectFile", None)
except RuntimeError:
printWarning(
"Gracefully handling unknown runtime error when generating kernel: %s"
% kernel["KernelName"]
)
return (1, "", "", kernelName, None)
return (err, src, header, kernelName, filename)
def getAssemblyCodeObjectFiles(kernels, kernelWriterAssembly, outputPath, removeTemporaries):
destDir = ensurePath(os.path.join(outputPath, "library"))
asmDir = kernelWriterAssembly.getAssemblyDirectory()
assemblyKernels = list([k for k in kernels if k["KernelLanguage"] == "Assembly"])
if len(assemblyKernels) == 0:
return []
archs = collections.defaultdict(list)
for k in assemblyKernels:
archs[tuple(k["ISA"])].append(k)
coFiles = []
for arch, archKernels in archs.items():
archName = gfxName(arch)
objectFiles = list(
[
kernelWriterAssembly.getKernelFileBase(k) + ".o"
for k in archKernels
if "codeObjectFile" not in k
]
)
numObjectFiles = len([1 for k in archKernels if k["KernelLanguage"] == "Assembly"])
if numObjectFiles == 0:
continue
if (
globalParameters["MergeFiles"]
or globalParameters["NumMergedFiles"] > 1
or globalParameters["LazyLibraryLoading"]
):
# Group kernels from placeholder libraries
coFileMap = collections.defaultdict(list)
if len(objectFiles):
coFileMap[os.path.join(destDir, "TensileLibrary_" + archName + ".co")] = objectFiles
for kernel in archKernels:
coName = kernel.get("codeObjectFile", None)
if coName:
coFileMap[os.path.join(destDir, coName + ".co")] += [
kernelWriterAssembly.getKernelFileBase(kernel) + ".o"
]
for coFile, objectFiles in coFileMap.items():
args = []
if os.name == "nt":
# On Windows, the objectFiles list command line (including spaces)
# exceeds the limit of 8191 characters, so using response file
responseArgs = objectFiles
responseFile = os.path.join(asmDir, "clangArgs.txt")
with open(responseFile, "wt") as file:
file.write(" ".join(responseArgs))
file.flush()
args = kernelWriterAssembly.getLinkCodeObjectArgs(["@clangArgs.txt"], coFile)
else:
args = kernelWriterAssembly.getLinkCodeObjectArgs(objectFiles, coFile)
tPrint(2, "Linking objects into co files: " + " ".join(args))
# change to use check_output to force windows cmd block util command finish
try:
out = subprocess.check_output(args, stderr=subprocess.STDOUT, cwd=asmDir)
tPrint(3, out)
except subprocess.CalledProcessError as err:
print(err.output)
raise
coFiles.append(coFile)
else:
# no mergefiles
assemblyKernelNames = [kernelWriterAssembly.getKernelFileBase(k) for k in archKernels]
origCOFiles = [os.path.join(asmDir, k + ".co") for k in assemblyKernelNames]
newCOFiles = [
os.path.join(destDir, k + "_" + archName + ".co") for k in assemblyKernelNames
]
for src, dst in (
zip(origCOFiles, newCOFiles)
if globalParameters["PrintLevel"] == 0
else Utils.tqdm(zip(origCOFiles, newCOFiles), desc="Relocating code objects")
):
shutil.copyfile(src, dst)
coFiles += newCOFiles
return coFiles
def splitArchs():
# Helper for architecture
def isSupported(arch):
return (
globalParameters["AsmCaps"][arch]["SupportedISA"]
and globalParameters["AsmCaps"][arch]["SupportedSource"]
)
if ";" in globalParameters["Architecture"]:
wantedArchs = globalParameters["Architecture"].split(";")
else:
wantedArchs = globalParameters["Architecture"].split("_")
archs = []
cmdlineArchs = []
if "all" in wantedArchs:
for arch in globalParameters["SupportedISA"]:
if isSupported(arch):
if arch == (9, 0, 6) or arch == (9, 0, 8) or arch == (9, 0, 10):
if arch == (9, 0, 10):
archs += [gfxName(arch) + "-xnack+"]
cmdlineArchs += [gfxName(arch) + ":xnack+"]
archs += [gfxName(arch) + "-xnack-"]
cmdlineArchs += [gfxName(arch) + ":xnack-"]
else:
archs += [gfxName(arch)]
cmdlineArchs += [gfxName(arch)]
else:
for arch in wantedArchs:
archs += [re.sub(":", "-", arch)]
cmdlineArchs += [arch]
return archs, cmdlineArchs
def buildSourceCodeObjectFile(CxxCompiler, outputPath, kernelFile, removeTemporaries):
buildPath = ensurePath(os.path.join(globalParameters["WorkingPath"], "code_object_tmp"))
destDir = ensurePath(os.path.join(outputPath, "library"))
(_, filename) = os.path.split(kernelFile)
(base, _) = os.path.splitext(filename)
if "CmakeCxxCompiler" in globalParameters and globalParameters["CmakeCxxCompiler"] is not None:
os.environ["CMAKE_CXX_COMPILER"] = globalParameters["CmakeCxxCompiler"]
objectFilename = base + ".o"
soFilename = base + ".so"
coFilenames = []
if supportedCompiler(CxxCompiler):
archs, cmdlineArchs = splitArchs()
archFlags = ["--offload-arch=" + arch for arch in cmdlineArchs]
# needs to be fixed when Maneesh's change is made available
hipFlags = ["-D__HIP_HCC_COMPAT_MODE__=1"]
hipFlags += (
["--genco"] if CxxCompiler == "hipcc" else ["--cuda-device-only", "-x", "hip", "-O3"]
)
# if CxxCompiler == "amdclang++":
# hipFlags += ["-mllvm", "-amdgpu-early-inline-all=true", "-mllvm", "-amdgpu-function-calls=false"]
hipFlags += ["-I", outputPath]
# Debian
hipFlags += ["-v"]
# Add build-id for builds with rocm 5.3+
compilerVer = globalParameters["HipClangVersion"].split(".")[:2]
compilerVer = [int(c) for c in compilerVer]
if len(compilerVer) >= 2 and (
compilerVer[0] > 5 or (compilerVer[0] == 5 and compilerVer[1] > 2)
):
hipFlags += ["-Xoffload-linker", "--build-id"]
launcher = shlex.split(os.environ.get("Tensile_CXX_COMPILER_LAUNCHER", ""))
if os.name == "nt":
hipFlags += [
"-std=c++14",
"-fms-extensions",
"-fms-compatibility",
"-fPIC",
"-Wno-deprecated-declarations",
]
compileArgs = (
launcher
+ [which(CxxCompiler)]
+ hipFlags
+ archFlags
+ [kernelFile, "-c", "-o", os.path.join(buildPath, objectFilename)]
)
else:
compileArgs = (
launcher
+ [which(CxxCompiler)]
+ hipFlags
+ archFlags
+ [kernelFile, "-c", "-o", os.path.join(buildPath, objectFilename)]
)
tPrint(2, f"Build object file command: {compileArgs}")
# change to use check_output to force windows cmd block util command finish
#try:
# out = subprocess.check_output(compileArgs, stderr=subprocess.STDOUT)
# tPrint(3, out)
#except subprocess.CalledProcessError as err:
# print(err.output)
# raise
# Debian
subprocess.check_call(compileArgs)
# get hipcc version due to compatiblity reasons
# If we aren't using hipcc what happens?
hipccver = globalParameters["HipClangVersion"].split(".")
hipccMaj = int(hipccver[0])
hipccMin = int(hipccver[1])
# for hipclang 5.2 and above, clang offload bundler changes the way input/output files are specified
inflag = "-inputs"
outflag = "-outputs"
if (hipccMaj == 5 and hipccMin >= 2) or hipccMaj >= 6:
inflag = "-input"
outflag = "-output"
infile = os.path.join(buildPath, objectFilename)
bundler = globalParameters["ClangOffloadBundlerPath"]
if bundler is None:
raise ValueError(
"No bundler available; set TENSILE_ROCM_OFFLOAD_BUNDLER_PATH to point to clang-offload-bundler."
)
try:
bundlerArgs = [bundler, "-type=o", "%s=%s" % (inflag, infile), "-list"]
listing = (
subprocess.check_output(bundlerArgs, stderr=subprocess.STDOUT).decode().split("\n")
)
for target in listing:
matched = re.search("gfx.*$", target)
if matched:
arch = re.sub(":", "-", matched.group())
if "TensileLibrary" in base and "fallback" in base:
outfile = os.path.join(buildPath, "{0}_{1}.hsaco".format(base, arch))
elif "TensileLibrary" in base:
variant = [t for t in ["", "xnack-", "xnack+"] if t in target][-1]
baseVariant = base + "-" + variant if variant else base
if arch in baseVariant:
outfile = os.path.join(buildPath, baseVariant + ".hsaco")
else:
outfile = None
else:
outfile = os.path.join(
buildPath, "{0}-000-{1}.hsaco".format(soFilename, arch)
)
# Compilation
if outfile:
coFilenames.append(os.path.split(outfile)[1])
# bundlerArgs = [bundler, "-type=o", "-targets=%s" % target, "-inputs=%s" % infile, "-outputs=%s" % outfile, "-unbundle"]
bundlerArgs = [
bundler,
"-type=o",
"-targets=%s" % target,
"%s=%s" % (inflag, infile),
"%s=%s" % (outflag, outfile),
"-unbundle",
]
tPrint(2, "Build source code object file: " + " ".join(bundlerArgs))
# change to use check_output to force windows cmd block util command finish
out = subprocess.check_output(bundlerArgs, stderr=subprocess.STDOUT)
tPrint(3, out)
except subprocess.CalledProcessError as err:
tPrint(1, err.output)
for i in range(len(archs)):
outfile = os.path.join(buildPath, "{0}-000-{1}.hsaco".format(soFilename, archs[i]))
coFilenames.append(os.path.split(outfile)[1])
# bundlerArgs = [bundler, "-type=o", "-targets=hip-amdgcn-amd-amdhsa--%s" % cmdlineArchs[i], "-inputs=%s" % infile, "-outputs=%s" % outfile, "-unbundle"]
bundlerArgs = [
bundler,
"-type=o",
"-targets=hip-amdgcn-amd-amdhsa--%s" % cmdlineArchs[i],
"%s=%s" % (inflag, infile),
"%s=%s" % (outflag, outfile),
"-unbundle",
]
tPrint(2, "Build source code object file: " + " ".join(bundlerArgs))
# change to use check_output to force windows cmd block util command finish
try:
out = subprocess.check_output(bundlerArgs, stderr=subprocess.STDOUT)
tPrint(3, out)
except subprocess.CalledProcessError as err:
tPrint(1, err.output)
raise
else:
raise RuntimeError("Unknown compiler {}".format(CxxCompiler))
coFilenames = [name for name in coFilenames]
extractedCOs = [os.path.join(buildPath, name) for name in coFilenames]
destCOsList = [os.path.join(destDir, name) for name in coFilenames]
for src, dst in zip(extractedCOs, destCOsList):
if removeTemporaries:
shutil.move(src, dst)
else:
shutil.copyfile(src, dst)
return destCOsList
def buildSourceCodeObjectFiles(CxxCompiler, kernelFiles, outputPath, removeTemporaries):
args = zip(
itertools.repeat(CxxCompiler),
itertools.repeat(outputPath),
kernelFiles,
itertools.repeat(removeTemporaries),
)
coFiles = Common.ParallelMap(buildSourceCodeObjectFile, args, "Compiling source kernels")
return itertools.chain.from_iterable(coFiles)
################################################################################
def prepAsm(
kernelWriterAssembly: KernelWriterAssembly,
isLinux: bool,
buildPath: Path,
isa: Tuple[int, int, int],
printLevel: int,
):
"""Create and prepare the assembly directory; called ONCE per output directory.
This function is called once per output directory. It creates a directory
"assembly" under the provided **buildPath**, and generates a bash script for
compiling object files into code object files.
Args:
kernelWriterAssembly: Assembly writer object.
buildPath: Path to directory where assembly files will be written.
"""
asmPath = buildPath / "assembly"
asmPath.mkdir(exist_ok=True)
assemblerFileName = asmPath / f"asm-new.{'sh' if isLinux else 'bat'}"
with open(assemblerFileName, "w") as assemblerFile:
if isLinux:
assemblerFile.write("#!/bin/sh {log}\n".format(log="-x" if printLevel >= 3 else ""))
assemblerFile.write("# usage: asm-new.sh kernelName(no extension) [--wave32]\n")
assemblerFile.write("f=$1\n")
assemblerFile.write("shift\n")
assemblerFile.write('if [ ! -z "$1" ] && [ "$1" = "--wave32" ]; then\n')
assemblerFile.write(" wave=32\n")
assemblerFile.write(" shift\n")
assemblerFile.write("else\n")
assemblerFile.write(" wave=64\n")
assemblerFile.write("fi\n")
assemblerFile.write("h={gfxName}\n".format(gfxName=Common.gfxName(isa)))
cArgs32 = kernelWriterAssembly.getCompileArgs("$f.s", "$f.o", isa=isa, wavefrontSize=32)
cArgs64 = kernelWriterAssembly.getCompileArgs("$f.s", "$f.o", isa=isa, wavefrontSize=64)
lArgs = kernelWriterAssembly.getLinkCodeObjectArgs(["$f.o"], "$f.co")
assemblerFile.write("if [ $wave -eq 32 ]; then\n")
assemblerFile.write(" ".join(cArgs32) + "\n")
assemblerFile.write("else\n")
assemblerFile.write(" ".join(cArgs64) + "\n")
assemblerFile.write("fi\n")
assemblerFile.write(" ".join(lArgs) + "\n")
assemblerFile.write("cp $f.co ../../../library/${f}_$h.co\n")
assemblerFile.write("mkdir -p ../../../asm_backup && ")
assemblerFile.write("cp $f.s ../../../asm_backup/$f.s\n")
else:
assemblerFile.write("@echo off\n")
assemblerFile.write("set f=%1\n\n")
assemblerFile.write("set arg2=--wave64\n")
assemblerFile.write("if [%2] NEQ [] set arg2=%2\n\n")
assemblerFile.write("set /A wave=64\n")
assemblerFile.write("if %arg2% EQU --wave32 set /A wave=32\n\n")
assemblerFile.write("set h={gfxName}\n".format(gfxName=Common.gfxName(isa)))
cArgs32 = " ".join(
kernelWriterAssembly.getCompileArgs("%f%.s", "%f%.o", isa=isa, wavefrontSize=32)
)
cArgs64 = " ".join(
kernelWriterAssembly.getCompileArgs("%f%.s", "%f%.o", isa=isa, wavefrontSize=64)
)
lArgs = " ".join(kernelWriterAssembly.getLinkCodeObjectArgs(["%f%.o"], "%f%.co"))
assemblerFile.write(f"if %wave% == 32 ({cArgs32}) else ({cArgs64})\n")
assemblerFile.write(f"{lArgs}\n")
assemblerFile.write("copy %f%.co ..\..\..\library\%f%_%h%.co\n")
os.chmod(assemblerFileName, 0o777)
ProcessedKernelLookup = Dict[str, Any]
def collectFilesToWrite(
results: List[ProcessedKernelResult],
outputPath: Path,
lazyLoading: bool,
mergeFiles: bool,
numMergedFiles: int,
) -> ProcessedKernelLookup:
"""Collects and organizes kernel files to be written based on the provided results.
Args:
results: A list of processed kernel results, each containing
error status, source code, header, kernel name, and filename.
outputPath: The path where the output files should be written.
lazyLoading: Flag indicating whether lazy loading is enabled.
mergeFiles: Flag indicating whether kernel files should be merged.
numMergedFiles: The number of files to merge into if merging is enabled.
Returns:
A tuple containing:
- A dictionary mapping file paths to kernel data:
(error status, source code, header code, kernel name).
- A dictionary mapping kernel names to an error status.
"""
pathJoin = lambda x: os.path.join(os.path.normcase(outputPath), x)
filesToWrite = collections.defaultdict(list)
validKernelCount = 0
for err, src, header, kernelName, filename in results:
if not src.strip():
continue
kernPath = pathJoin(kernelName)
if filename:
kernPath = pathJoin(filename)
elif mergeFiles:
suffix = str(validKernelCount % numMergedFiles) if numMergedFiles > 1 else ""
kernPath = pathJoin(f"Kernels{suffix}")
filesToWrite[kernPath].append((err, src, header, kernelName))
validKernelCount += 1
# Ensure there's at least one kernel file for helper kernels
if lazyLoading or (mergeFiles and validKernelCount == 0):
kernelSuffix = "0" if numMergedFiles > 1 else ""
filesToWrite[pathJoin(f"Kernels{kernelSuffix}")] = []
return filesToWrite
def generateKernelSourceAndHeaderFiles(
filesToWrite: ProcessedKernelLookup,
) -> List[str]:
"""Generates kernel source and header files.
Arguments:
fileToWrite: A dictionary mapping file paths to kernel data:
(error status, source code, header code, kernel name).
Returns:
A list containing source kernel filenames, and a dictionary with kernels that
encountered build errors.
"""
def writeHeaderPreface(hdrFile):
hdrFile.write(CHeader)
hdrFile.write("#pragma once\n")
if globalParameters["RuntimeLanguage"] == "HIP":
hdrFile.write("#include <hip/hip_runtime.h>\n")
hdrFile.write("#include <hip/hip_ext.h>\n\n")
hdrFile.write('#include "KernelHeader.h"\n\n')
def writeSourcePreface(srcFile, filename):
srcFile.write(CHeader)
srcFile.write(f'#include "{filename}.h"\n')
# Write kernel data to files
for filename, kernelList in filesToWrite.items():
# fmt: off
with open(f"{filename}.h", "w", encoding="utf-8") as hdrFile, \
open(f"{filename}.cpp", "w", encoding="utf-8") as srcFile:
# fmt: on
writeHeaderPreface(hdrFile)
writeSourcePreface(srcFile, filename)
for _, src, header, _ in kernelList:
srcFile.write(src)
hdrFile.write(header)
return [filePrefix + ".cpp" for filePrefix in filesToWrite]
def markDuplicateKernels(
kernels: List[Solution], kernelWriterAssembly: KernelWriterAssembly
) -> List[Solution]:
"""Marks duplicate assembly kernels based on their generated base file names.
Kernels written in Assembly language may generate duplicate output file names,
leading to potential race conditions. This function identifies such duplicates within
the provided list of Solution objects and marks them to prevent issues.
Args:
kernels: A list of Solution objects representing kernels to be processed.
Returns:
A modified list of Solution objects where kernels identified as duplicates
are marked with a `duplicate` attribute indicating their duplication status.
Notes:
This function sets the "duplicate" attribute on Solution objects, and thereby prepares
kernels for **processKernelSource**, which requires "duplicate" to be set.
"""
# Kernels may be intended for different .co files, but generate the same .o file
# Mark duplicate kernels to avoid race condition
# @TODO improve organization so this problem doesn't appear
visited = set()
count = 0
for kernel in kernels:
if kernel["KernelLanguage"] == "Assembly":
curr = kernelWriterAssembly.getKernelFileBase(kernel)
kernel.duplicate = curr in visited
count += kernel.duplicate
visited.add(curr)
if count:
printWarning(f"Found {count} duplicate kernels, these will be ignored")
return kernels
def filterProcessingErrors(
kernels: List[Solution],
solutions: List[Solution],
results: List[ProcessedKernelResult],
errorTolerant: bool,
):
"""Filters out processing errors from lists of kernels, solutions, and results.
This function iterates through the results of **processKernelSource** and identifies
any errors encountered during processing. If an error is found (-2 error code),
the corresponding kernel, solution, and result are appended to separate lists
for removal. After processing, items identified for removal are deleted from the
original lists of kernels, solutions, and results.
Args:
kernels: List of Solution objects representing kernels.
solutions: List of Solution objects associated with kernels.
results: List of tuples representing processing results.
printLevel: Print level indicator.
Returns:
Tuple[List[Solution], List[Solution], List[Any]]: Tuple containing filtered lists
of kernels, solutions, and results after removing items with processing errors.
Raises:
KeyError: If 'PrintLevel' key is not found in the params dictionary.
"""
removeKernels = []
removeSolutions = []
removeResults = []
for kernIdx, res in (
enumerate(results)
if globalParameters["PrintLevel"] == 0
else Utils.tqdm(enumerate(results), desc="Filtering processing errors")
):
(err, src, header, kernelName, filename) = res
if err == -2:
if not errorTolerant:
print(
"\nKernel generation failed for kernel: {}".format(
kernels[kernIdx]["SolutionIndex"]
)
)
print(kernels[kernIdx]["SolutionNameMin"])
removeKernels.append(kernels[kernIdx])
removeSolutions.append(solutions[kernIdx])
removeResults.append(results[kernIdx])
if len(removeKernels) > 0 and not errorTolerant:
printExit("** kernel generation failure **")
for kern in removeKernels:
kernels.remove(kern)
for solut in removeSolutions:
solutions.remove(solut)
for rel in removeResults:
results.remove(rel)
def filterBuildErrors(
kernels: List[Solution],
kernelsWithBuildErrors: Dict[str, int],
writerSelectionFn: Callable[[str], Union[KernelWriterSource, KernelWriterAssembly]],
ignoreErr: bool,
) -> List[Solution]:
"""Filters a list of kernels based on build errors and error tolerance.
Args:
kernels: A list of `Solution` objects representing kernels to filter.
kernelsWithBuildErrors: A list of `Solution` objects that have build errors.
errorTolerant: A boolean indicating whether to tolerate build errors.
Returns:
A filtered list of kernels (**Solution** objects) that are eligible for building.
Raises:
SystemExit: If **ignoreErr** is False and any kernels have build errors.
"""
if not ignoreErr and len(kernelsWithBuildErrors) > 0:
raise RuntimeError(
"Kernel compilation failed in one or more subprocesses. "
"Consider setting CpuThreads=0 and re-run to debug."
)
def noBuildError(kernel):
kernelName = writerSelectionFn(kernel["KernelLanguage"]).getKernelName(kernel)
return kernelName not in kernelsWithBuildErrors
return list(filter(noBuildError, kernels))
def getKernelSourceAndHeaderCode(ko: KernelWriterBase) -> Tuple[int, List[str], List[str], str]:
"""Get the source and header content for a kernel object.
Arguments:
ko: Kernel object to extract content from.
Returns:
Tuple of data: (error code, source code, header code, kernel name)
"""
name = ko.getKernelName()
err, src = ko.getSourceFileString()
hdr = ko.getHeaderFileString()
return err, [CHeader, src], [CHeader, hdr], name
def writeKernelHelpers(
kernelHelperObj: KernelWriterBase,
kernelSourceFile: Optional[TextIOWrapper],
kernelHeaderFile: Optional[TextIOWrapper],
outputPath: Path,
kernelFiles: List[str],
):
"""Writes the source and header code generated by a kernel helper object to specified files or a new file.
Args:
kernelHelperObj: The kernel helper object providing source and header code.
kernelSourceFile: The file object for the kernel's source. If None, a new file is created.
kernelHeaderFile: The file object for the kernel's header. If None, a new file is created.
outputPath: The directory path where new files should be saved if `kernelSourceFile` and
`kernelHeaderFile` are None.
kernelFiles: A list of kernel file names to be updated with the new kernel name if new
files are created.
Notes:
- If `kernelSourceFile` and `kernelHeaderFile` are provided, the source and header code
are appended to these files.
- If these file objects are None, new `.cpp` and `.h` files are created in the
`outputPath/Kernels` directory named after the kernel.
- The function appends the new kernel name to `kernelFiles` if new files are created.
"""
err, srcCode, hdrCode, kernelName = getKernelSourceAndHeaderCode(kernelHelperObj)
if err:
printWarning(f"Invalid kernel: {kernelName} may be corrupt")
if kernelSourceFile and kernelHeaderFile: # Append to existing files => mergeFiles == True
toFile(kernelSourceFile, srcCode)
toFile(kernelHeaderFile, hdrCode)
else: # Write to new a file for each helper => mergeFiles == False. Default behaviour when called through rocBLAS
srcFilename = Path(outputPath) / "Kernels" / f"{kernelName}.cpp"
hdrFilename = Path(outputPath) / "Kernels" / f"{kernelName}.h"
toFile(srcFilename, srcCode)
toFile(hdrFilename, hdrCode)
kernelFiles.append(str(srcFilename))
################################################################################
# Write Solutions and Kernels for BenchmarkClient or LibraryClient
################################################################################
def writeKernels(
outputPath: str,
cxxCompiler: str,
params: Dict[str, Any],
solutions: List[Solution],
kernels: List[Solution],
kernelHelperObjs: List[KernelWriterBase],
kernelWriterSource: KernelWriterSource,
kernelWriterAssembly: KernelWriterAssembly,
errorTolerant: bool = False,
removeTemporaries: bool = True,
):
start = time.time()
# Push working path into build_tmp folder because there may be more than
# one process running this script. This is to avoid build directory clashing.
# NOTE: file paths must not contain the lower case word 'kernel' or the
# /opt/rocm/bin/extractkernel will fail.
# See buildSourceCodeObjectFile:167 for the call to this binary.
## TODO: Is there a way to get this to work without changing global state?
Common.pushWorkingPath("build_tmp")
Common.pushWorkingPath(os.path.basename(outputPath).upper())
tPrint(1, "# Writing Kernels...")
## TODO: This may be unused
if not params["MergeFiles"] or params["NumMergedFiles"] > 1 or params["LazyLibraryLoading"]:
ensurePath(os.path.join(outputPath, "Kernels"))
## This uses global state from "WorkingPath"
prepAsm(
kernelWriterAssembly,
os.name != "nt",
# Use globalParameters here, not params
Path(globalParameters["WorkingPath"]),
globalParameters["CurrentISA"],
params["PrintLevel"],
)
kernels = markDuplicateKernels(kernels, kernelWriterAssembly)
kIter = zip(
kernels,
itertools.repeat(kernelWriterSource),
itertools.repeat(kernelWriterAssembly),
)
results = Common.ParallelMap(processKernelSource, list(kIter), "Generating kernels")
filterProcessingErrors(kernels, solutions, results, errorTolerant)
kernelsWithBuildErrors = {kernelName: err for err, _, _, kernelName, _ in results if err}
filesToWrite = collectFilesToWrite(
results,
Path(outputPath),
params["LazyLibraryLoading"],
params["MergeFiles"],
params["NumMergedFiles"],
)
kernelFiles = generateKernelSourceAndHeaderFiles(filesToWrite)
writerSelector = lambda lang: kernelWriterAssembly if lang == "Assembly" else kernelWriterSource
kernelsToBuild = filterBuildErrors(
kernels, kernelsWithBuildErrors, writerSelector, errorTolerant
)
outPath = Path(outputPath)
with KernelFileContextManager(
params["LazyLibraryLoading"],
params["MergeFiles"],
params["NumMergedFiles"],
outPath,
kernelFiles,
) as (srcFile, hdrFile):
for ko in kernelHelperObjs:
writeKernelHelpers(ko, srcFile, hdrFile, outPath, kernelFiles)
codeObjectFiles = []
if not globalParameters["GenerateSourcesAndExit"]:
codeObjectFiles += buildSourceCodeObjectFiles(
cxxCompiler, kernelFiles, outputPath, removeTemporaries
)
codeObjectFiles += getAssemblyCodeObjectFiles(
kernelsToBuild,
kernelWriterAssembly,
outputPath,
removeTemporaries,
)
stop = time.time()
tPrint(1, "# Kernel Building elapsed time = %.1f secs" % (stop - start))
Common.popWorkingPath() # outputPath.upper()
Common.popWorkingPath() # build_tmp
return codeObjectFiles, kernels, solutions
##############################################################################
# Min Naming / Solution and Kernel Writers
##############################################################################
def getKernelWriters(solutions: List[Solution], kernels: List[Solution], removeTemporaries):
# if any kernels are assembly, append every ISA supported
kernelSerialNaming = Solution.getSerialNaming(kernels)
solutionMinNaming = Solution.getMinNaming(solutions)
kernelMinNaming = Solution.getMinNaming(kernels)
kernelWriterSource = KernelWriterSource(kernelMinNaming, kernelSerialNaming, removeTemporaries)
kernelWriterAssembly = KernelWriterAssembly(
kernelMinNaming, kernelSerialNaming, removeTemporaries
)
return (
kernelWriterSource,
kernelWriterAssembly,
kernelMinNaming,
solutionMinNaming,
)
################################################################################
# copy static cpp files and headers
################################################################################
def copyStaticFiles(outputPath=None):
if outputPath is None:
outputPath = globalParameters["WorkingPath"]
libraryStaticFiles = [
"TensileTypes.h",
"tensile_bfloat16.h",
"tensile_float8_bfloat8.h",
"hip_f8_impl.h",
"KernelHeader.h",
]
for fileName in libraryStaticFiles:
# copy file
shutil.copy(os.path.join(globalParameters["SourcePath"], fileName), outputPath)
return libraryStaticFiles
def buildObjectFileNames(
kernelWriterSource, kernelWriterAssembly, solutions, kernels, kernelHelperObjs
):
# Build lists of output object names
sourceKernelNames = []
asmKernelNames = []
kernelHelperObjNames = []
solutionFiles = []
sourceKernelFiles = []
asmKernelFiles = []
sourceLibFiles = []
asmLibFiles = []
sourceKernels = list([k for k in kernels if k["KernelLanguage"] == "Source"])
asmKernels = list([k for k in kernels if k["KernelLanguage"] == "Assembly"])
# Build a list of kernel object names.
for kernel in sourceKernels:
sourceKernelNames += [kernelWriterSource.getKernelFileBase(kernel)]
for kernel in asmKernels:
asmKernelNames += [kernelWriterAssembly.getKernelFileBase(kernel)]
kernelHelperObjNames = [ko.getKernelName() for ko in kernelHelperObjs]
cxxCompiler = globalParameters["CxxCompiler"]
# Source based kernels are built for all supported architectures
if supportedCompiler(cxxCompiler):
sourceArchs, _ = splitArchs()
else:
raise RuntimeError("Unknown compiler %s" % cxxCompiler)
# Asm based kernels target the configured ISA
asmArchs = collections.defaultdict(list)
for kernelName, kernel in zip(asmKernelNames, asmKernels):
asmArchs[kernelName].append(gfxName(kernel["ISA"]))
# Build a list of source files
if not globalParameters["MergeFiles"]:
for kernelName in sourceKernelNames + asmKernelNames + kernelHelperObjNames:
sourceKernelFiles += ["%s.h" % (kernelName), "%s.cpp" % (kernelName)]
elif globalParameters["NumMergedFiles"] > 1:
for kernelIndex in range(0, globalParameters["NumMergedFiles"]):
sourceKernelFiles += [
"Kernels%s.h" % str(kernelIndex),
"Kernels%s.cpp" % str(kernelIndex),
]
for kernelName in kernelHelperObjNames:
sourceKernelFiles += ["%s.h" % (kernelName), "%s.cpp" % (kernelName)]
else:
sourceKernelFiles += ["Kernels.h", "Kernels.cpp"]
# Build a list of assembly files
for asmKernelName in asmKernelNames:
asmKernelFiles += [
"%s.s" % (asmKernelName),
"%s.o" % (asmKernelName),
"%s.co" % (asmKernelName),
]
# Build a list of lib names from source
if not globalParameters["MergeFiles"]:
allSources = sourceKernelNames + kernelHelperObjNames
for kernelName in allSources:
if supportedCompiler(cxxCompiler):
sourceLibFiles += [
"%s.so-000-%s.hsaco" % (kernelName, arch) for arch in sourceArchs
]
else:
raise RuntimeError("Unknown compiler {}".format(cxxCompiler))
elif globalParameters["NumMergedFiles"] > 1:
if supportedCompiler(cxxCompiler):
for kernelIndex in range(0, globalParameters["NumMergedFiles"]):
sourceLibFiles += [
"Kernels%d.so-000-%s.hsaco" % (kernelIndex, arch) for arch in sourceArchs
]
else:
raise RuntimeError("Unknown compiler {}".format(cxxCompiler))
elif globalParameters["LazyLibraryLoading"]:
fallbackLibs = list(
set(
[
kernel["codeObjectFile"]
for kernel in kernels
if "fallback" in kernel.get("codeObjectFile", "")
]
)
)
sourceLibFiles += [
"{0}_{1}.hsaco".format(name, arch)
for name, arch in itertools.product(fallbackLibs, sourceArchs)
]
if supportedCompiler(cxxCompiler):
sourceLibFiles += ["Kernels.so-000-%s.hsaco" % (arch) for arch in sourceArchs]
else: # Merge
if supportedCompiler(cxxCompiler):
sourceLibFiles += ["Kernels.so-000-%s.hsaco" % (arch) for arch in sourceArchs]
else:
raise RuntimeError("Unknown compiler {}".format(cxxCompiler))
# Returns names for all xnack versions
def addxnack(name, ext):
arch = re.search(r"gfx.*$", name).group()
if arch in sourceArchs:
return [name + ext]
else:
return [name + xnack[len(arch) :] + ext for xnack in sourceArchs if arch in xnack]
# Build a list of asm lib names
if globalParameters["LazyLibraryLoading"]:
# If assembly kernel with codeObjectFile specified
cond = (
lambda k: "codeObjectFile" in k
and "fallback" not in k["codeObjectFile"]
and k["KernelLanguage"] == "Assembly"
)
asmLibFiles += list(
set([kernel["codeObjectFile"] + ".co" for kernel in kernels if cond(kernel)])
)
# If architecture specific source kernel with codeObjectFile specified
cond = (
lambda k: "codeObjectFile" in k
and "fallback" not in k["codeObjectFile"]
and k["KernelLanguage"] == "Source"
)
sourceLibFiles += list(
set(
itertools.chain.from_iterable(
[
addxnack(kernel["codeObjectFile"], ".hsaco")
for kernel in kernels
if cond(kernel)
]
)
)
)
elif globalParameters["MergeFiles"]:
# Find all unique arch values for current asm kernels
uniqueArchs = set(itertools.chain(*asmArchs.values()))
asmLibFiles += ["TensileLibrary_%s.co" % (arch) for arch in uniqueArchs]
else:
for asmKernelName, archs in asmArchs.items():
asmLibFiles += ["%s_%s.co" % (asmKernelName, str(arch)) for arch in archs]
return (
solutionFiles,
sourceKernelFiles,
asmKernelFiles,
sourceLibFiles,
asmLibFiles,
)
def buildObjectFilePaths(
prefixDir,
solutionFiles,
sourceKernelFiles,
asmKernelFiles,
sourceLibFiles,
asmLibFiles,
masterLibraries,
):
solutionPaths = []
sourceKernelPaths = []
asmKernelPaths = []
sourceLibPaths = []
asmLibPaths = []
libMetadataPaths = []
# Build full paths for source kernel files
sourceKernelDir = ""
if not globalParameters["MergeFiles"] or globalParameters["NumMergedFiles"] > 1:
sourceKernelDir = os.path.join(prefixDir, "Kernels")
else:
sourceKernelDir = prefixDir
for sourceKernelFile in sourceKernelFiles:
sourceKernelPaths += [os.path.join(sourceKernelDir, sourceKernelFile)]
# Build full paths for asm kernel files
asmKernelDir = os.path.join(prefixDir, "assembly")
for asmKernelFile in asmKernelFiles:
asmKernelPaths += [os.path.join(asmKernelDir, asmKernelFile)]
# Build full paths for source and asm library files
libDir = os.path.join(prefixDir, "library")
libraryExt = ".yaml" if globalParameters["LibraryFormat"] == "yaml" else ".dat"
if not globalParameters["SeparateArchitectures"] and not globalParameters["LazyLibraryLoading"]:
libMetadataPaths = [os.path.join(libDir, "TensileLibrary" + libraryExt)]
for sourceLibFile in sourceLibFiles:
sourceLibPaths += [os.path.join(libDir, sourceLibFile)]
# Use set because of duplicate fallback libraries
newMetadataPaths = set()
if "full" not in masterLibraries.keys():
for arch, lib in masterLibraries.items():
if globalParameters["LazyLibraryLoading"]:
newMetadataPaths.add(
os.path.join(libDir, "TensileLibrary_lazy_" + arch + libraryExt)
)
else:
newMetadataPaths.add(os.path.join(libDir, "TensileLibrary_" + arch + libraryExt))
for name, placeholder in lib.lazyLibraries.items():
newMetadataPaths.add(os.path.join(libDir, name + libraryExt))
libMetadataPaths += list(newMetadataPaths)
for asmLibFile in asmLibFiles:
# Asm lib files are enumerated in the form of
# KernelName_gfxXXXXX.co
asmLibPaths += [os.path.join(libDir, asmLibFile)]
return (
solutionPaths,
sourceKernelPaths,
asmKernelPaths,
sourceLibPaths,
asmLibPaths,
libMetadataPaths,
)
################################################################################
# Write CMake
################################################################################
def writeCMake(outputPath, solutionFiles, kernelFiles, libraryStaticFiles, masterLibraries):
tPrint(1, "# Writing Custom CMake")
# Build output file paths, using relative CMake symbol
cmakeSrcDir = "${CMAKE_SOURCE_DIR}"
(
solutionPaths,
sourceKernelPaths,
asmKernelPaths,
sourceLibPaths,
asmLibPaths,
_,
) = buildObjectFilePaths(cmakeSrcDir, solutionFiles, kernelFiles, [], [], [], masterLibraries)
# Build full paths the static library files
staticFilePaths = []
for staticFile in libraryStaticFiles:
staticFilePaths += [os.path.join(cmakeSrcDir, staticFile)]
# Proceed to generate cmake file
generatedFile = open(os.path.join(os.path.normcase(outputPath), "Generated.cmake"), "w")
generatedFile.write(CMakeHeader)
# write TensileClient_KERNELS symbol
generatedFile.write("set( TensileClient_KERNELS\n")
for kernelFile in sourceKernelPaths:
generatedFile.write(" %s\n" % (kernelFile))
generatedFile.write(" )\n")
# write TensileClient_SOURCE symbol
generatedFile.write("set( TensileClient_SOURCE\n")
for fileName in libraryStaticFiles:
generatedFile.write(" ${CMAKE_SOURCE_DIR}/%s\n" % fileName)
generatedFile.write(" )\n\n")
generatedFile.close()
################################################################################
# Generate Kernel Objects From Solutions
################################################################################
def generateKernelObjectsFromSolutions(
solutions: List[Solution],
) -> Tuple[List[Solution], List[KernelWriterBase], List[str]]:
# create solution writer and kernel writer
kernels = []
kernelHelperObjs = []
kernelHelperNames = set()
for solution in solutions:
kernels.append(solution.getKernels())
solutionHelperKernels = solution.getHelperKernelObjects()
kernelHelperObjs += solutionHelperKernels
for ko in solutionHelperKernels:
kernelHelperNames.add(ko.getKernelName())
kernelHelperObjs = list(dict.fromkeys(kernelHelperObjs))
return (kernels, kernelHelperObjs, kernelHelperNames)
def addNewLibrary(
masterLibraries: Dict[str, MasterSolutionLibrary],
newLibrary: MasterSolutionLibrary,
architectureName: str,
) -> int:
"""Adds new master solution library to a master solution libraries dict.
For a given architecture, add the new library to a dictionary containing
libraries for all architectures, compute the starting index for the new
library, then remap the indexes for all of the solutions associated with
the library.
Args:
masterLibraries: A dictionary containing all master solution libraries for all architectures.
newLibrary: A master solution library to add to the dictionary.
architectureName: The name of the architecture (or key) associated with the library.
Returns:
Index to the last solution of the library associated with current architecture.
"""
masterLibraries[architectureName] = newLibrary
archIndex = MasterSolutionLibrary.ArchitectureIndexMap(architectureName)
masterLibraries[architectureName].remapSolutionIndicesStartingFrom(archIndex)
return archIndex
def makeMasterLibraries(
logicList: List[LibraryIO.LibraryLogic], separate: bool
) -> Dict[str, MasterSolutionLibrary]:
"""Creates a dictionary of master solution libraries.
Iterates through a list of LibraryLogic objects creating
master solution libraries and modifying the solution
indexing as required.
Args:
logicFiles: List of LibraryLogic objects.
separate: Separate libraries by architecture.
Returns:
An architecture separated master solution libraries
or a single master solution library for all architectures.
"""
masterLibraries = {}
nextSolIndex = {}
fullMasterLibrary = None
for logic in logicList:
(_, architectureName, _, solutionsForSchedule, _, newLibrary) = logic
if separate:
if architectureName in masterLibraries:
nextSolIndex[architectureName] = masterLibraries[architectureName].merge(
newLibrary, nextSolIndex[architectureName]
)
else:
nextSolIndex[architectureName] = addNewLibrary(
masterLibraries, newLibrary, architectureName
)
else:
if fullMasterLibrary:
fullMasterLibrary.merge(newLibrary)
else:
fullMasterLibrary = newLibrary
return {"full": fullMasterLibrary} if fullMasterLibrary is not None else masterLibraries
def addFallback(masterLibraries: Dict[str, MasterSolutionLibrary]) -> None:
"""Adds fallback library.
Given a master solution library, add a fallback and if the corresponding
architecture is unsupported, replace the library altogether with a fallback.
Args:
masterLibraries: A dictionary containing the master solution libraries.
"""
archs, _ = splitArchs()
for key, value in masterLibraries.items():
if key != "fallback":
value.insert(masterLibraries["fallback"])
for archName in archs:
archName = archName.split("-", 1)[0]
if archName not in masterLibraries:
tPrint(1, "Using fallback for arch: " + archName)
masterLibraries[archName] = masterLibraries["fallback"]
masterLibraries.pop("fallback")
def applyNaming(masterLibraries: Dict[str, MasterSolutionLibrary]) -> None:
"""Assigns the solution code object file name for lazy libraries.
Given a master solution library with lazy libraries, assigns the
key associated with the lazy library (or name) as the value
assiciated with the corresponding solution's code object file.
Args:
masterLibraries: A dictionary containing the master solution libraries.
"""
for masterLibrary in masterLibraries.values():
for name, lib in masterLibrary.lazyLibraries.items():
for sol in lib.solutions.values():
sol.originalSolution["codeObjectFile"] = name
def makeSolutions(
masterLibraries: dict, separate: bool
): # -> Generator[Solution]:# is breaking tensile
"""Extracts the solutions from the master solution library.
Given a master solution library, forms a flattened generator that
yields solutions by iterating over all of the solutions contained
in the master solution libraries. If using separate architectures
but not using lazy loading, lazyLibraries should be an empty dict.
Args:
masterLibraries: A dictionary containing the master solution libraries.
Returns:
Generator representing a sequence of library logic tuples.
"""
gen1 = (
sol.originalSolution
for masterLibrary in masterLibraries.values()
for sol in masterLibrary.solutions.values()
)
gen2 = (
sol.originalSolution
for masterLibrary in masterLibraries.values()
for lib in masterLibrary.lazyLibraries.values()
for sol in lib.solutions.values()
)
return itertools.chain(gen1, gen2)
def parseLibraryLogicFiles(logicFiles: List[str]) -> List[LibraryIO.LibraryLogic]:
"""Load and parse logic (yaml) files.
Given a list of paths to yaml files containing library logic, load the files
into memory and parse the data into a named tuple (i.e. LibraryLogic). This
operation is parallelized over N processes.
Args:
logicFiles: List of paths to logic files.
Returns:
List of library logic tuples.
"""
return Common.ParallelMap(
LibraryIO.parseLibraryLogicFile, logicFiles, "Reading logic files", multiArg=False
)
def generateLogicData(
logicFiles: List[str], version: str, printLevel: int, separate: bool
) -> Dict[str, MasterSolutionLibrary]:
"""Generates a dictionary of master solution libraries.
Args:
logicFiles: List of paths to logic files.
version: User provided version for the library.
printLevel: Level of debug printing requested.
separate: Separate libraries by architecture.
Returns:
For separate architectures, a dictionary of architecture
separated master solution libraries; otherwise, a single
master solution library for all architectures.
"""
libraries = parseLibraryLogicFiles(logicFiles)
logicList = libraries if not printLevel else Utils.tqdm(libraries, desc="Processing logic data")
masterLibraries = makeMasterLibraries(logicList, separate)
if separate and "fallback" in masterLibraries:
addFallback(masterLibraries)
applyNaming(masterLibraries)
for lib in masterLibraries.values():
lib.version = version
return masterLibraries
def generateSolutions(
masterLibraries: Dict[str, MasterSolutionLibrary], separate: bool
) -> List[Solution]:
"""Generates a list of solutions.
Args:
masterLibraries: A dictionary of master solutions libraries.
separate: Separate libraries by architecture.
Returns:
A solution list.
"""
# remove duplicates while preserving order
return list(dict.fromkeys(makeSolutions(masterLibraries, separate)))
################################################################################
# Write Benchmark Client Files
################################################################################
def writeBenchmarkClientFiles(
libraryWorkingPath, tensileSourcePath, solutions, cxxCompiler, removeTemporaries=False
):
if not globalParameters["GenerateSourcesAndExit"]:
copyStaticFiles(libraryWorkingPath)
kernels, kernelsBetaOnly, _ = generateKernelObjectsFromSolutions(solutions)
kernelWriterSource, kernelWriterAssembly, kernelMinNaming, _ = getKernelWriters(
solutions,
kernels,
removeTemporaries,
)
# write solution, kernels and CMake
codeObjectFiles, kernels, solutions = writeKernels(
libraryWorkingPath,
cxxCompiler,
globalParameters,
solutions,
kernels,
kernelsBetaOnly,
kernelWriterSource,
kernelWriterAssembly,
errorTolerant=True,
removeTemporaries=removeTemporaries,
)
newLibraryDir = ensurePath(os.path.join(libraryWorkingPath, "library"))
newLibraryFile = os.path.join(newLibraryDir, "TensileLibrary.yaml")
newLibrary = MasterSolutionLibrary.BenchmarkingLibrary(solutions)
newLibrary.applyNaming(kernelMinNaming)
LibraryIO.writeYAML(newLibraryFile, Utils.state(newLibrary))
return (codeObjectFiles, newLibrary)
################################################################################
# Write Master Solution Index CSV
################################################################################
def writeMasterSolutionIndexCSV(outputPath, masterLibraries):
libraryPath = os.path.join(outputPath, "library")
ensurePath(libraryPath)
try:
with open(os.path.join(libraryPath, "TensileMasterSolutionIndex.csv"), "w") as indexFile:
indexFile.write(
"architectureName,libraryName,libraryIndex,solutionIndex,solutionName\n"
)
for arch, lib in masterLibraries.items():
for lazylibname, lazylibvals in lib.lazyLibraries.items():
for solidx, solution in lazylibvals.solutions.items():
line = ",".join(
str(x)
for x in [
arch,
lazylibname,
solidx,
solution.index,
solution.name,
]
)
indexFile.write("%s\n" % (line))
except IOError as err:
tPrint(1, "Error writing MasterSolutionIndex %s" % err)
def verifyManifest(manifest: Path) -> bool:
"""Verifies whether the files listed in the manifest exist on disk.
Args:
manifest: Path to the manifest file.
Returns:
True if all files exist on disk, otherwise False.
"""
with open(manifest, mode="r") as generatedFiles:
for f in generatedFiles.readlines():
if not Path(f.rstrip()).exists():
return False
return True
def findLogicFiles(
path: Path,
logicArchs: Set[str],
lazyLoading: bool,
experimentalDir: str,
extraMatchers: Set[str] = {"hip"},
) -> List[str]:
"""Recursively searches the provided path for logic files.
Args:
path: The path to the directory to search.
logicArchs: Target logic archiectures. These are interepreted as filename substrings
for which logic files are to be included.
extraMatchers: Additional directories to include for logic files.
Returns:
A list of Path objects representing the found YAML files.
"""
isMatch = lambda file: any((arch in file.stem for arch in logicArchs.union(extraMatchers)))
isExperimental = lambda path: not experimentalDir in str(path)
extensions = ["*.yaml", "*.yml"]
logicFiles = filter(isMatch, (file for ext in extensions for file in path.rglob(ext)))
if not lazyLoading:
if not experimentalDir:
printWarning(
"Configuration parameter `ExperimentalLogicDir` is an empty string, "
"logic files may be filtered incorrectly."
)
logicFiles = filter(isExperimental, logicFiles)
return list(str(l) for l in logicFiles)
def sanityCheck(
srcLibPaths: List[str],
asmLibPaths: List[str],
codeObjectPaths: List[str],
genSourcesAndExit: bool,
):
"""Verifies that generated code object paths match associated library paths.
Args:
srcLibPaths: Source library paths (.hsaco).
asmLibPaths: Assembly library paths (.co).
coPaths: Code object paths containing generated kernels; should contain all assembly
and source library paths.
genSourcesAndExit: Flag identifying whether only source file should be generated.
Raises:
ValueError: If code object paths do not match library paths.
"""
libPaths = set([Path(p).resolve() for p in srcLibPaths + asmLibPaths])
coPaths = set([Path(p).resolve() for p in codeObjectPaths])
tPrint(2, "Library paths:\n " + "\n ".join(map(str, libPaths)))
tPrint(2, "Code object paths:\n " + "\n ".join(map(str, coPaths)))
extraCodeObjects = coPaths - libPaths
if extraCodeObjects:
raise ValueError(
f"Sanity check failed; unexpected code object files: "
f"{[p.name for p in extraCodeObjects]}"
)
if not genSourcesAndExit:
extraLibs = libPaths - coPaths
if extraLibs:
raise ValueError(
f"Sanity check failed; missing expected code object files: "
f"{[p.name for p in extraLibs]}"
)
def generateClientConfig(
outputPath: Path,
masterFile: Path,
codeObjectFiles: List[str],
configFile: str = "best-solution.ini",
) -> None:
"""Generates a client config file.
Generates a client config file corresponding to a master library file and code-object parameters
created by a TensileCreateLibrary invocation. Also sets best-solution-mode to True.
Args:
outputPath: The path to the tensile output directory where output files are written.
masterFile: Path to the master library file (.dat or .yaml).
codeObjectFiles: List of code object files created by TensileCreateLibrary.
configFile: Name of config file written to the output directory.
"""
iniFile = outputPath / configFile
def param(key, value):
f.write(f"{key}={value}\n")
with open(iniFile, "w") as f:
if not masterFile.is_file():
warnings.warn(
UserWarning(f"{masterFile} does not exist. best-solution.ini may be invalid.")
)
param("library-file", masterFile)
for coFile in codeObjectFiles:
codeObject: Path = outputPath / coFile
if not codeObject.is_file():
warnings.warn(
UserWarning(f"{codeObject} does not exist. best-solution.ini may be invalid.")
)
param("code-object", outputPath / coFile)
param("best-solution", True)
def generateLazyMasterFileList(
masterFileList: List[Tuple[str, MasterSolutionLibrary]]
) -> List[Tuple[str, MasterSolutionLibrary]]:
"""Generates a list of tuples that represent the name and the state associated with the lazy master libraries.
This function takes a list of MasterSolutionLibraries and traverses each lazy libraries.
It collects the items (i.e. the name and corresponding master file) and adds them to list
of master files.
Args:
masterLibraries: A list of name / master solution library pairs.
Returns:
List of pairs of master solutions libraries and the corresponding name.
"""
return [t for _, lib in masterFileList for t in lib.lazyLibraries.items()]
def generateMasterFileList(
masterLibraries: dict, archs: List[str], lazy: bool
) -> List[Tuple[str, MasterSolutionLibrary]]:
"""Generates a list of tuples that represent the name and the state associated with the master libraries.
This function takes a dictionary with keys corresponding to a target architecture and values
corresponding to the master solution library for that architecture. The function generates a
tuple consisting of a MasterSolutionLibrary and the associated name. When not separating architectures,
the key full will appear in masterLibraries indicating that all libraries are combinded into a
single master library.
Args:
masterLibraries: A dictionary of architecture name / master solution library pairs.
archs: A list of supported architectures.
lazy: If True, add lazy library master files.
Returns:
List of pairs of master solutions libraries and the corresponding name.
"""
if "full" in masterLibraries.keys():
return [("TensileLibrary", masterLibraries["full"])]
baseName = "TensileLibrary_lazy_" if lazy else "TensileLibrary_"
result = [
(baseName + arch, masterLibrary)
for arch, masterLibrary in masterLibraries.items()
if arch in archs
]
return result + generateLazyMasterFileList(result) if lazy else result
def writeMasterFile(
libraryPath: Path, format: str, naming: dict, name: str, lib: MasterSolutionLibrary
) -> None:
"""Writes a master file to disk as a .yaml or .dat file.
Args:
libraryPath: Path to library subdirectory located in the tensile output directory.
format: Output format of written file (.dat or .yaml).
naming: Kernel minimum naming.
name: Name of the masterfile.
lib: Master solution library data.
"""
lib.applyNaming(naming)
LibraryIO.write(str(libraryPath / name), Utils.state(lib), format)
################################################################################
# Tensile Create Library
################################################################################
@profile
def TensileCreateLibrary():
tPrint(3, "Arguments: %s" % sys.argv)
args = parseArguments()
lazyLoading = args["LazyLibraryLoading"]
separateArchs = args["SeparateArchitectures"]
mergeFiles = args["MergeFiles"]
embedLibrary = args["EmbedLibrary"]
cxxCompiler = args["CxxCompiler"]
libraryFormat = args["LibraryFormat"]
logicPath = args["LogicPath"]
outputPath = args["OutputPath"]
removeTemporaries = not args["KeepBuildTmp"]
globalParameters["PrintLevel"] = args["PrintLevel"]
tPrint(3, "OutputPath: %s" % outputPath)
ensurePath(outputPath)
outputPath = os.path.abspath(outputPath)
tPrint(1, "")
tPrint(1, HR)
tPrint(1, "# Tensile Create Library")
tPrint(3, HR)
tPrint(3, "")
assignGlobalParameters(args)
manifestFile = Path(outputPath) / TENSILE_LIBRARY_DIR / TENSILE_MANIFEST_FILENAME
manifestFile.parent.mkdir(exist_ok=True)
if args["VerifyManifest"]:
if verifyManifest(manifestFile):
tPrint(1, "Successfully verified all files in manifest were generated")
return
else:
printExit("Failed to verify all files in manifest")
tPrint(1, "# CodeObjectVersion: %s" % args["CodeObjectVersion"])
tPrint(1, "# CxxCompiler: %s" % cxxCompiler)
tPrint(1, "# Architecture: %s" % args["Architecture"])
tPrint(1, "# LibraryFormat: %s" % libraryFormat)
if not os.path.exists(logicPath):
printExit("LogicPath %s doesn't exist" % logicPath)
# CLI uses `;` delimiters, CMake uses `_` delimiters
logicArchs = splitDelimitedString(args["Architecture"], {";", "_"})
logicArchs = {name for name in (getArchitectureName(gfxName) for gfxName in logicArchs) if name}
if lazyLoading and not (mergeFiles and separateArchs):
printExit(
"--lazy-library-loading requires --merge-files and --separate-architectures enabled"
)
logicFiles = findLogicFiles(
Path(logicPath),
logicArchs,
lazyLoading=lazyLoading,
experimentalDir=globalParameters["ExperimentalLogicDir"],
)
tPrint(1, f"# LibraryLogicFiles: found {len(logicFiles)} files")
tPrint(1, "# set --verbose=2 to view all files")
tPrint(2, "# " + "\n# ".join(logicFiles))
masterLibraries = generateLogicData(
logicFiles, args["Version"], args["PrintLevel"], args["SeparateArchitectures"]
)
solutions = generateSolutions(masterLibraries, args["SeparateArchitectures"])
if lazyLoading and args["WriteMasterSolutionIndex"]:
writeMasterSolutionIndexCSV(outputPath, masterLibraries)
kernels, kernelHelperObjs, _ = generateKernelObjectsFromSolutions(solutions)
# if any kernels are assembly, append every ISA supported
kernelWriterSource, kernelWriterAssembly, kernelMinNaming, _ = getKernelWriters(
solutions, kernels, removeTemporaries
)
staticFiles = copyStaticFiles(outputPath)
(solutionFiles, sourceKernelFiles, asmKernelFiles, sourceLibFiles, asmLibFiles) = (
buildObjectFileNames(
kernelWriterSource,
kernelWriterAssembly,
solutions,
kernels,
kernelHelperObjs,
)
)
(_, _, _, sourceLibPaths, asmLibPaths, libMetadataPaths) = buildObjectFilePaths(
outputPath,
solutionFiles,
sourceKernelFiles,
asmKernelFiles,
sourceLibFiles,
asmLibFiles,
masterLibraries,
)
toFile(Path(manifestFile), libMetadataPaths + sourceLibPaths + asmLibPaths)
if args["GenerateManifestAndExit"]:
return
if not args["GenerateSourcesAndExit"]:
writeCMake(outputPath, solutionFiles, sourceKernelFiles, staticFiles, masterLibraries)
# Make sure to copy the library static files.
for fileName in staticFiles:
shutil.copy(os.path.join(globalParameters["SourcePath"], fileName), outputPath)
codeObjectFiles, kernels, solutions = writeKernels(
outputPath,
cxxCompiler,
args,
solutions,
kernels,
kernelHelperObjs,
kernelWriterSource,
kernelWriterAssembly,
removeTemporaries=removeTemporaries,
)
sanityCheck(
sourceLibPaths,
asmLibPaths,
codeObjectFiles,
globalParameters["GenerateSourcesAndExit"],
)
tPrint(2, f"codeObjectFiles: {codeObjectFiles}")
tPrint(2, f"sourceLibPaths + asmLibPaths: {sourceLibPaths + asmLibPaths}")
archs = [
gfxName(arch)
for arch in globalParameters["SupportedISA"]
if globalParameters["AsmCaps"][arch]["SupportedISA"]
]
newLibraryDir = Path(outputPath) / "library"
newLibraryDir.mkdir(exist_ok=True)
masterFileList = generateMasterFileList(masterLibraries, archs, lazyLoading)
for name, lib in masterFileList:
writeMasterFile(newLibraryDir, libraryFormat, kernelMinNaming, name, lib)
if embedLibrary or args["ClientConfig"]:
masterFile, fullMasterLibrary = masterFileList[0]
ext = ".yaml" if globalParameters["LibraryFormat"] == "yaml" else ".dat"
if embedLibrary:
embedFileName = Path(outputPath) / "library" / args["EmbedLibrary"]
EmbeddedData.generateLibrary(
embedFileName,
args["EmbedLibraryKey"],
(newLibraryDir / masterFile).with_suffix(ext),
fullMasterLibrary.cpp_base_class,
codeObjectFiles,
)
if args["BuildClient"]:
tPrint(1, "# Building Tensile Client")
ClientExecutable.getClientExecutable(outputPath)
if args["ClientConfig"]:
generateClientConfig(Path(outputPath), Path(masterFile).with_suffix(ext), codeObjectFiles)
if removeTemporaries:
buildTmp = Path(outputPath).parent / "build_tmp"
if buildTmp.exists() and buildTmp.is_dir():
shutil.rmtree(buildTmp)
tPrint(1, "# Tensile Library Writer DONE")
tPrint(1, HR)
tPrint(1, "")
|