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
|
#---------------------------------------------------------------------------
# Name: etgtools/extractors.py
# Author: Robin Dunn
#
# Created: 3-Nov-2010
# Copyright: (c) 2010-2020 by Total Control Software
# License: wxWindows License
#---------------------------------------------------------------------------
"""
Functions and classes that can parse the Doxygen XML files and extract the
wxWidgets API info which we need from them.
"""
import sys
import os
import pprint
from typing import Optional
import xml.etree.ElementTree as ET
import copy
from .tweaker_tools import AutoConversionInfo, FixWxPrefix, MethodType, magicMethods, \
guessTypeInt, guessTypeFloat, guessTypeStr, \
textfile_open, Signature, removeWxPrefix
from sphinxtools.utilities import findDescendants
if sys.version_info >= (3, 11):
from typing import Self
else:
from typing_extensions import Self
#---------------------------------------------------------------------------
# These classes simply hold various bits of information about the classes,
# methods, functions and other items in the C/C++ API being wrapped.
#---------------------------------------------------------------------------
class BaseDef:
"""
The base class for all element types and provides the common attributes
and functions that they all share.
"""
nameTag = 'name'
def __init__(self, element=None):
self.name = '' # name of the item
self.pyName = '' # rename to this name
self.ignored = False # skip this item
self.docsIgnored = False # skip this item when generating docs
self.briefDoc = '' # either a string or a single para Element
self.detailedDoc = [] # collection of para Elements
self.deprecated = False # is this item deprecated
# The items list is used by some subclasses to collect items that are
# part of that item, like methods of a ClassDef, parameters in a
# MethodDef, etc.
self.items = []
if element is not None:
self.extract(element)
def __iter__(self):
return iter(self.items)
def __repr__(self):
return "{}: '{}', '{}'".format(self.__class__.__name__, self.name, self.pyName)
def extract(self, element):
# Pull info from the ElementTree element that is pertinent to this
# class. Should be overridden in derived classes to get what each one
# needs in addition to the base.
self.name = element.find(self.nameTag).text
if self.name is None:
self.name = ''
if '::' in self.name:
loc = self.name.rfind('::')
self.name = self.name[loc+2:]
bd = element.find('briefdescription')
if len(bd):
self.briefDoc = bd[0] # Should be just one <para> element
self.detailedDoc = list(element.find('detaileddescription'))
def checkDeprecated(self):
# Don't iterate all items, just the para items found in detailedDoc,
# so that classes with a deprecated method don't likewise become deprecated.
for para in self.detailedDoc:
for item in para.iter():
itemid = item.get('id')
if itemid and itemid.startswith('deprecated'):
self.deprecated = True
return
def clearDeprecated(self):
"""
Remove the deprecation notice from the detailedDoc, if any, and reset
self.deprecated to False.
"""
self.deprecated = False
for para in self.detailedDoc:
for item in para.iter():
itemid = item.get('id')
if itemid and itemid.startswith('deprecated'):
self.detailedDoc.remove(para)
return
def ignore(self, val=True) -> Self:
self.ignored = val
return self
def find(self, name):
"""
Locate and return an item within this item that has a matching name.
The name string can use a dotted notation to continue the search
recursively. Raises ExtractorError if not found.
"""
try:
head, tail = name.split('.', 1)
except ValueError:
head, tail = name, None
for item in self._findItems():
if item.name == head or item.pyName == head: # TODO: exclude ignored items?
if not tail:
return item
else:
return item.find(tail)
else: # got though all items with no match
raise ExtractorError("Unable to find item named '%s' within %s named '%s'" %
(head, self.__class__.__name__, self.name))
def findItem(self, name):
"""
Just like find() but does not raise an exception if the item is not found.
"""
try:
item = self.find(name)
return item
except ExtractorError:
return None
def addItem(self, item):
self.items.append(item)
return item
def insertItem(self, index, item):
self.items.insert(index, item)
return item
def insertItemAfter(self, after, item):
try:
idx = self.items.index(after)
self.items.insert(idx+1, item)
except ValueError:
self.items.append(item)
return item
def insertItemBefore(self, before, item):
try:
idx = self.items.index(before)
self.items.insert(idx, item)
except ValueError:
self.items.insert(0, item)
return item
def allItems(self):
"""
Recursively create a sequence for traversing all items in the
collection. A generator would be nice but just prebuilding a list will
be good enough.
"""
items = [self]
for item in self.items:
items.extend(item.allItems())
if hasattr(item, 'overloads'):
for o in item.overloads:
items.extend(o.allItems())
if hasattr(item, 'innerclasses'):
for o in item.innerclasses:
items.extend(o.allItems())
return items
def findAll(self, name):
"""
Search recursively for items that have the given name.
"""
matches = list()
for item in self.allItems():
if item.name == name or item.pyName == name:
matches.append(item)
return matches
def _findItems(self):
# If there are more items to be searched than what is in self.items, a
# subclass can override this to give a different list.
return self.items
#---------------------------------------------------------------------------
class VariableDef(BaseDef):
"""
Represents a basic variable declaration.
"""
def __init__(self, element=None, **kw):
super(VariableDef, self).__init__()
self.type = None
self.definition = ''
self.argsString = ''
self.pyInt = False
self.noSetter = False
self.__dict__.update(**kw)
if element is not None:
self.extract(element)
def extract(self, element):
super(VariableDef, self).extract(element)
self.type = flattenNode(element.find('type'))
self.definition = element.find('definition').text
self.argsString = element.find('argsstring').text
#---------------------------------------------------------------------------
# These need the same attributes as VariableDef, but we use separate classes
# so we can identify what kind of element it came from originally.
class GlobalVarDef(VariableDef):
pass
class TypedefDef(VariableDef):
def __init__(self, element=None, **kw):
super(TypedefDef, self).__init__()
self.noTypeName = False
self.docAsClass = False
self.bases = []
self.protection = 'public'
self.__dict__.update(**kw)
if element is not None:
self.extract(element)
#---------------------------------------------------------------------------
class MemberVarDef(VariableDef):
"""
Represents a variable declaration in a class.
"""
def __init__(self, element=None, **kw):
super(MemberVarDef, self).__init__()
self.isStatic = False
self.protection = 'public'
self.getCode = ''
self.setCode = ''
self.__dict__.update(kw)
if element is not None:
self.extract(element)
def extract(self, element):
super(MemberVarDef, self).extract(element)
self.isStatic = element.get('static') == 'yes'
self.protection = element.get('prot')
assert self.protection in ['public', 'protected']
# TODO: Should protected items be ignored by default or should we
# leave that up to the tweaker code or the generators?
if self.protection == 'protected':
self.ignore()
#---------------------------------------------------------------------------
_globalIsCore = None
class FunctionDef(BaseDef, FixWxPrefix):
"""
Information about a standalone function.
"""
_default_method_type = MethodType.FUNCTION
def __init__(self, element=None, **kw):
super(FunctionDef, self).__init__()
self.type = None
self.definition = ''
self.argsString = ''
self.signature: Optional[Signature] = None
self.pyArgsString = ''
self.isOverloaded = False
self.overloads = []
self.factory = False # a factory function that creates a new instance of the return value
self.pyReleaseGIL = False # release the Python GIL for this function call
self.pyHoldGIL = False # hold the Python GIL for this function call
self.noCopy = False # don't make a copy of the return value, just wrap the original
self.pyInt = False # treat char types as integers
self.transfer = False # transfer ownership of return value to C++?
self.transferBack = False # transfer ownership of return value from C++ to Python?
self.transferThis = False # ownership of 'this' pointer transferred to C++
self.cppCode = None # Use this code instead of the default wrapper
self.noArgParser = False # set the NoargParser annotation
self.preMethodCode = None
self.__dict__.update(kw)
if element is not None:
self.extract(element)
def extract(self, element):
super(FunctionDef, self).extract(element)
self.type = flattenNode(element.find('type'))
self.definition = element.find('definition').text
self.argsString = element.find('argsstring').text
self.checkDeprecated()
for node in element.findall('param'):
p = ParamDef(node)
self.items.append(p)
# TODO: Look at self.detailedDoc and pull out any matching
# parameter description items and assign that value as the
# briefDoc for this ParamDef object.
def releaseGIL(self, release=True):
self.pyReleaseGIL = release
def holdGIL(self, hold=True):
self.pyHoldGIL = hold
def setCppCode_sip(self, code):
"""
Use the given C++ code instead of that automatically generated by the
back-end. This is similar to adding a new C++ method, except it uses
info we've already received from the source XML such as the argument
types and names, docstring, etc.
The code generated for this version will expect the given code to use
SIP specific variable names, etc. For example::
sipRes = sipCpp->Foo();
"""
self.cppCode = (code, 'sip')
def setCppCode(self, code):
"""
Use the given C++ code instead of that automatically generated by the
back-end. This is similar to adding a new C++ method, except it uses
info we've already received from the source XML such as the argument
types and names, docstring, etc.
The code generated for this version will put the given code in a
wrapper function that will enable it to be more independent, not SIP
specific, and also more natural. For example::
return self->Foo();
"""
self.cppCode = (code, 'function')
def checkForOverload(self, methods):
for m in methods:
if isinstance(m, FunctionDef) and m.name == self.name:
m.overloads.append(self)
m.isOverloaded = self.isOverloaded = True
return True
return False
def all(self):
return [self] + self.overloads
def findOverload(self, matchText, isConst=None, printSig=False):
"""
Search for an overloaded method that has matchText in its C++ argsString.
"""
for o in self.all():
if printSig:
print("%s%s" % (o.name, o.argsString))
if matchText in o.argsString and not o.ignored:
if isConst is None:
return o
else:
if o.isConst == isConst:
return o
return None
def hasOverloads(self):
"""
Returns True if there are any overloads that are not ignored.
"""
return bool([x for x in self.overloads if not x.ignored])
def renameOverload(self, matchText, newName, **kw):
"""
Rename the overload with matching matchText in the argsString to
newName. The overload is moved out of this function's overload list
and directly into the parent module or class so it can appear to be a
separate function.
"""
if hasattr(self, 'module'):
parent = self.module
else:
parent = self.klass
item = self.findOverload(matchText)
assert item is not None
item.pyName = newName
if item.signature:
item.signature.method_name = newName
item.__dict__.update(kw)
if item is self and not self.hasOverloads():
# We're done, there actually is only one instance of this method
pass
elif item is self:
# Make the first overload take the place of this node in the
# parent, and then insert this item into the parent's list again
overloads = self.overloads
overloads.sort(key=lambda o: o.ignored)
self.overloads = []
first = overloads[0]
first.overloads = overloads[1:]
idx = parent.items.index(self)
parent.items[idx] = first
parent.insertItemAfter(first, self)
else:
# Just remove from the overloads list and insert it into the parent.
self.overloads.remove(item)
parent.insertItemAfter(self, item)
return item
def ignore(self, val=True) -> Self:
# In addition to ignoring this item, reorder any overloads to ensure
# the primary overload is not ignored, if possible.
super(FunctionDef, self).ignore(val)
if val and self.overloads:
self.reorderOverloads()
return self
def reorderOverloads(self):
# Reorder a set of overloaded functions such that the primary
# FunctionDef is one that is not ignored.
if self.overloads and self.ignored:
all = [self] + self.overloads
all.sort(key=lambda item: item.ignored)
first = all[0]
if not first.ignored:
if hasattr(self, 'module'):
parent = self.module
else:
parent = self.klass
self.overloads = []
first.overloads = all[1:]
idx = parent.items.index(self)
parent.items[idx] = first
def _findItems(self):
items = list(self.items)
for o in self.overloads:
items.extend(o.items)
return items
def makePyArgsString(self):
"""
Create a pythonized version of the argsString in function and method
items that can be used as part of the docstring.
"""
params: list[Signature.Parameter] = []
returns: list[str] = []
if self.type and self.type != 'void':
returns.append(self.cleanType(self.type))
defValueMap = { 'true': 'True',
'false': 'False',
'NULL': 'None',
'wxString()': '""',
'wxArrayString()' : '[]',
'wxArrayInt()' : '[]',
'wxEmptyString': "''", # Makes signatures much shorter
}
P = Signature.Parameter
if isinstance(self, CppMethodDef):
# rip apart the argsString instead of using the (empty) list of parameters
lastP = self.argsString.rfind(')')
args = self.argsString[:lastP].strip('()').split(',')
for arg in args:
if not arg:
continue
# is there a default value?
default = ''
if '=' in arg:
default = arg.split('=')[1].strip()
arg = arg.split('=')[0].strip()
default = defValueMap.get(default, default)
default = self.fixWxPrefix(default, True)
# now grab just the last word, it should be the variable name
# The rest will be the type information
arg_type, arg = arg.rsplit(None, 1)
arg, arg_type = self.parseNameAndType(arg, arg_type, True)
params.append(P(arg, arg_type, default))
if default == 'None':
params[-1].make_optional()
else:
for param in self.items:
assert isinstance(param, ParamDef)
if param.ignored:
continue
if param.arraySize:
continue
s, param_type = self.parseNameAndType(param.pyName or param.name, param.type, not param.out)
if param.out:
if param_type:
returns.append(param_type)
else:
default = ''
if param.inOut:
if param_type:
returns.append(param_type)
if param.default:
default = param.default
default = defValueMap.get(default, default)
default = '|'.join([self.cleanName(x, True) for x in default.split('|')])
params.append(P(s, param_type, default))
if default == 'None':
params[-1].make_optional()
if getattr(self, 'isCtor', False):
name = '__init__'
else:
name = self.pyName or self.name
name = self.fixWxPrefix(name)
# __bool__ and __nonzero__ need to be defined as returning int for SIP, but for Python
# __bool__ is required to return a bool:
if name in ('__bool__', '__nonzero__'):
return_type = 'bool'
elif not returns:
return_type = 'None'
elif len(returns) == 1:
return_type = returns[0]
else:
return_type = f"Tuple[{', '.join(returns)}]"
kind = MethodType.STATIC_METHOD if getattr(self, 'isStatic', False) else type(self)._default_method_type
self.signature = Signature(name, *params, return_type=return_type, method_type=kind)
self.pyArgsString = self.signature.args_string(False)
def collectPySignatures(self):
"""
Collect the pyArgsStrings for self and any overloads, and create a
list of function signatures for the docstrings.
"""
sigs = list()
for f in [self] + self.overloads:
assert isinstance(f, FunctionDef)
if f.ignored:
continue
if not f.pyArgsString:
f.makePyArgsString()
sig = f.pyName or self.fixWxPrefix(f.name)
if sig in magicMethods:
sig = magicMethods[sig]
sig += f.pyArgsString
sigs.append(sig)
return sigs
def mustHaveApp(self, value=True):
if value:
self.preMethodCode = "if (!wxPyCheckForApp()) return NULL;\n"
else:
self.preMethodCode = None
#---------------------------------------------------------------------------
class MethodDef(FunctionDef):
"""
Represents a class method, ctor or dtor declaration.
"""
_default_method_type = MethodType.METHOD
def __init__(self, element=None, className=None, **kw):
super(MethodDef, self).__init__()
self.className = className
self.isVirtual = False
self.isPureVirtual = False
self.isStatic = False
self.isConst = False
self.isCtor = False
self.isDtor = False
self.protection = 'public'
self.defaultCtor = False # use this ctor as the default one
self.noDerivedCtor = False # don't generate a ctor in the derived class for this ctor
self.cppSignature = None
self.virtualCatcherCode = None
self.__dict__.update(kw)
if element is not None:
self.extract(element)
elif not hasattr(self, 'isCore'):
self.isCore = _globalIsCore
def extract(self, element):
super(MethodDef, self).extract(element)
self.isStatic = element.get('static') == 'yes'
self.isVirtual = element.get('virt') in ['virtual', 'pure-virtual']
self.isPureVirtual = element.get('virt') == 'pure-virtual'
self.isConst = element.get('const') == 'yes'
self.isCtor = self.name == self.className
self.isDtor = self.name == '~' + self.className
self.protection = element.get('prot')
assert self.protection in ['public', 'protected']
# TODO: Should protected items be ignored by default or should we
# leave that up to the tweaker code or the generators?
if self.protection == 'protected':
self.ignore()
def setVirtualCatcherCode(self, code):
"""
"""
self.virtualCatcherCode = code
#---------------------------------------------------------------------------
class ParamDef(BaseDef):
"""
A parameter of a function or method.
"""
def __init__(self, element=None, **kw):
super(ParamDef, self).__init__()
self.type = '' # data type
self.default = '' # default value
self.out = False # is it an output arg?
self.inOut = False # is it both input and output?
self.pyInt = False # treat char types as integers
self.array = False # the param is to be treated as an array
self.arraySize = False # the param is the size of the array
self.transfer = False # transfer ownership of arg to C++?
self.transferBack = False # transfer ownership of arg from C++ to Python?
self.transferThis = False # ownership of 'this' pointer transferred to this arg
self.keepReference = False # an extra reference to the arg is held
self.constrained = False # limit auto-conversion of similar types (like float -> int)
self.__dict__.update(kw)
if element is not None:
self.extract(element)
def extract(self, element):
try:
self.type = flattenNode(element.find('type'))
# we've got varags
if self.type == '...':
self.name = ''
else:
if element.find('declname') is not None:
self.name = element.find('declname').text
elif element.find('defname') is not None:
self.name = element.find('defname').text
if element.find('defval') is not None:
self.default = flattenNode(element.find('defval'))
except:
print("error when parsing element:")
ET.dump(element)
raise
#---------------------------------------------------------------------------
class ClassDef(BaseDef):
"""
The information about a class that is needed to generate wrappers for it.
"""
nameTag = 'compoundname'
def __init__(self, element=None, kind='class', **kw):
super(ClassDef, self).__init__()
self.kind = kind
self.protection = 'public'
self.templateParams = [] # class is a template
self.bases = [] # base class names
self.subClasses = [] # sub classes
self.nodeBases = [] # for the inheritance diagram
self.enum_file = '' # To link sphinx output classes to enums
self.includes = [] # .h file for this class
self.abstract = False # is it an abstract base class?
self.external = False # class is in another module
self.noDefCtor = False # do not generate a default constructor
self.singleton = False # class is a singleton so don't call the dtor until the interpreter exits
self.allowAutoProperties = True
self.headerCode = []
self.cppCode = []
self.convertToPyObject = None
self._convertFromPyObject = None
self.allowNone = False # Allow the convertFrom code to handle None too.
self.instanceCode = None # Code to be used to create new instances of this class
self.innerclasses = []
self.isInner = False # Is this a nested class?
self.klass = None # if so, then this is the outer class
self.preMethodCode = None
self.postProcessReST = None
# Stuff that needs to be generated after the class instead of within
# it. Some back-end generators need to put stuff inside the class, and
# others need to do it outside the class definition. The generators
# can move things here for later processing when they encounter those
# items.
self.generateAfterClass = []
self.__dict__.update(kw)
if element is not None:
self.extract(element)
@property
def convertFromPyObject(self) -> Optional[str]:
return self._convertFromPyObject
@convertFromPyObject.setter
def convertFromPyObject(self, value: AutoConversionInfo) -> None:
self._convertFromPyObject = value.code
name = self.pyName or self.name
name = removeWxPrefix(name)
FixWxPrefix.register_autoconversion(name, value.convertables)
def is_top_level(self) -> bool:
"""Check if this class is a subclass of wx.TopLevelWindow"""
if not self.nodeBases:
return False
all_classes, specials = self.nodeBases
if 'wxTopLevelWindow' in specials:
return True
return 'wxTopLevelWindow' in all_classes
def renameClass(self, newName):
self.pyName = newName
for item in self.items:
if hasattr(item, 'className'):
item.className = newName
for overload in item.overloads:
overload.className = newName
def findHierarchy(self, element, all_classes, specials, read):
from etgtools import XMLSRC
if not read:
fullname = self.name
specials = [fullname]
else:
fullname = element.text
baselist = []
if read:
refid = element.get('refid')
if refid is None:
return all_classes, specials
fname = os.path.join(XMLSRC, refid+'.xml')
root = ET.parse(fname).getroot()
compounds = findDescendants(root, 'basecompoundref')
else:
compounds = element.findall('basecompoundref')
for c in compounds:
baselist.append(c.text)
all_classes[fullname] = (fullname, baselist)
for c in compounds:
all_classes, specials = self.findHierarchy(c, all_classes, specials, True)
return all_classes, specials
def extract(self, element):
super(ClassDef, self).extract(element)
self.checkDeprecated()
self.nodeBases = self.findHierarchy(element, {}, [], False)
for node in element.findall('basecompoundref'):
self.bases.append(node.text)
for node in element.findall('derivedcompoundref'):
self.subClasses.append(node.text)
for node in element.findall('includes'):
self.includes.append(node.text)
for node in element.findall('templateparamlist/param'):
if node.find('declname') is not None:
txt = node.find('declname').text
else:
txt = node.find('type').text
txt = txt.replace('class ', '')
txt = txt.replace('typename ', '')
self.templateParams.append(txt)
for node in element.findall('innerclass'):
if node.get('prot') == 'private':
continue
from etgtools import XMLSRC
ref = node.get('refid')
fname = os.path.join(XMLSRC, ref+'.xml')
root = ET.parse(fname).getroot()
innerclass = root[0]
kind = innerclass.get('kind')
assert kind in ['class', 'struct']
item = ClassDef(innerclass, kind)
item.protection = node.get('prot')
item.isInner = True
item.klass = self # This makes a reference cycle but it's okay
self.innerclasses.append(item)
# TODO: Is it possible for there to be memberdef's w/o a sectiondef?
for node in element.findall('sectiondef/memberdef'):
# skip any private items
if node.get('prot') == 'private':
continue
kind = node.get('kind')
if kind == 'function':
m = MethodDef(node, self.name, klass=self)
if not m.checkForOverload(self.items):
self.items.append(m)
elif kind == 'variable':
v = MemberVarDef(node)
self.items.append(v)
elif kind == 'enum':
e = EnumDef(node, [self])
self.items.append(e)
elif kind == 'typedef':
t = TypedefDef(node)
self.items.append(t)
elif kind == 'friend':
continue
else:
raise ExtractorError('Unknown memberdef kind: %s' % kind)
def _findItems(self):
return self.items + self.innerclasses
def addHeaderCode(self, code):
if isinstance(code, list):
self.headerCode.extend(code)
else:
self.headerCode.append(code)
def addCppCode(self, code):
if isinstance(code, list):
self.cppCode.extend(code)
else:
self.cppCode.append(code)
def includeCppCode(self, filename):
with textfile_open(filename) as fid:
self.addCppCode(fid.read())
def addAutoProperties(self):
"""
Look at MethodDef and PyMethodDef items and generate properties if
there are items that have Get/Set prefixes and have appropriate arg
counts.
"""
def countNonDefaultArgs(m):
count = 0
for p in m.items:
if not p.default and not p.ignored:
count += 1
return count
def countPyArgs(item):
count = 0
args = item.argsString.replace('(', '').replace(')', '')
for arg in args.split(','):
if arg != 'self':
count += 1
return count
def countPyNonDefaultArgs(item):
count = 0
args = item.argsString.replace('(', '').replace(')', '')
for arg in args.split(','):
if arg != 'self' and '=' not in arg:
count += 1
return count
props = dict()
for item in self.items:
if isinstance(item, (MethodDef, PyMethodDef)) \
and item.name not in ['Get', 'Set'] \
and (item.name.startswith('Get') or item.name.startswith('Set')):
prefix = item.name[:3]
name = item.name[3:]
prop = props.get(name, PropertyDef(name))
if isinstance(item, PyMethodDef):
ok = False
argCount = countPyArgs(item)
nonDefaultArgCount = countPyNonDefaultArgs(item)
if prefix == 'Get' and argCount == 0:
ok = True
prop.getter = item.name
prop.usesPyMethod = True
elif prefix == 'Set'and \
(nonDefaultArgCount == 1 or (nonDefaultArgCount == 0 and argCount > 0)):
ok = True
prop.setter = item.name
prop.usesPyMethod = True
else:
# look at all overloads
ok = False
for m in item.all():
# don't use ignored or static methods for propertiess
if m.ignored or m.isStatic:
continue
if prefix == 'Get':
prop.getter = m.name
# Getters must be able to be called with no args, ensure
# that item has exactly zero args without a default value
if countNonDefaultArgs(m) != 0:
continue
ok = True
break
elif prefix == 'Set':
prop.setter = m.name
# Setters must be able to be called with 1 arg, ensure
# that item has at least 1 arg and not more than 1 without
# a default value.
if len(m.items) == 0 or countNonDefaultArgs(m) > 1:
continue
ok = True
break
if ok:
if hasattr(prop, 'usesPyMethod'):
prop = PyPropertyDef(prop.name, prop.getter, prop.setter)
props[name] = prop
if props:
self.addPublic()
for name, prop in sorted(props.items()):
# properties must have at least a getter
if not prop.getter:
continue
starts_with_number = False
try:
int(name[0])
starts_with_number = True
except:
pass
# only create the prop if a method with that name does not exist, and it is a valid name
if starts_with_number:
print('WARNING: Invalid property name %s for class %s' % (name, self.name))
elif self.findItem(name):
print("WARNING: Method %s::%s already exists in C++ class API, can not create a property." % (self.name, name))
else:
self.items.append(prop)
def addProperty(self, *args, **kw):
"""
Add a property to a class, with a name, getter function and optionally
a setter method.
"""
# As a convenience allow the name, getter and (optionally) the setter
# to be passed as a single string. Otherwise the args will be passed
# as-is to PropertyDef
if len(args) == 1:
name = getter = setter = ''
split = args[0].split()
assert len(split) in [2 ,3]
if len(split) == 2:
name, getter = split
else:
name, getter, setter = split
p = PropertyDef(name, getter, setter, **kw)
else:
p = PropertyDef(*args, **kw)
self.items.append(p)
return p
def addPyProperty(self, *args, **kw):
"""
Add a property to a class that can use PyMethods that have been
monkey-patched into the class. (This property will also be
jammed in to the class in like manner.)
"""
# Read the nice comment in the method above. Ditto.
if len(args) == 1:
name = getter = setter = ''
split = args[0].split()
assert len(split) in [2 ,3]
if len(split) == 2:
name, getter = split
else:
name, getter, setter = split
p = PyPropertyDef(name, getter, setter, **kw)
else:
p = PyPropertyDef(*args, **kw)
self.items.append(p)
return p
#------------------------------------------------------------------
def _addMethod(self, md, overloadOkay=True):
md.klass = self
if overloadOkay and self.findItem(md.name):
item = self.findItem(md.name)
item.overloads.append(md)
item.reorderOverloads()
else:
self.items.append(md)
def addCppMethod(self, type, name, argsString, body, doc=None, isConst=False,
cppSignature=None, overloadOkay=True, **kw):
"""
Add a new C++ method to a class. This method doesn't have to actually
exist in the real C++ class. Instead it will be grafted on by the
back-end wrapper generator such that it is visible in the class in the
target language.
"""
md = CppMethodDef(type, name, argsString, body, doc, isConst, klass=self,
cppSignature=cppSignature, **kw)
self._addMethod(md, overloadOkay)
return md
def addCppCtor(self, argsString, body, doc=None, noDerivedCtor=True,
useDerivedName=False, cppSignature=None, **kw):
"""
Add a C++ method that is a constructor.
"""
md = CppMethodDef('', self.name, argsString, body, doc=doc,
isCtor=True, klass=self, noDerivedCtor=noDerivedCtor,
useDerivedName=useDerivedName, cppSignature=cppSignature, **kw)
self._addMethod(md)
return md
def addCppDtor(self, body, useDerivedName=False, **kw):
"""
Add a C++ method that is a destructor.
"""
md = CppMethodDef('', '~'+self.name, '()', body, isDtor=True, klass=self,
useDerivedName=useDerivedName, **kw)
self._addMethod(md)
return md
def addCppMethod_sip(self, type, name, argsString, body, doc=None, **kw):
"""
Just like the above but can do more things that are SIP specific in
the code body, instead of using the general purpose implementation.
"""
md = CppMethodDef_sip(type, name, argsString, body, doc, klass=self, **kw)
self._addMethod(md)
return md
def addCppCtor_sip(self, argsString, body, doc=None, noDerivedCtor=True,
cppSignature=None, **kw):
"""
Add a C++ method that is a constructor.
"""
md = CppMethodDef_sip('', self.name, argsString, body, doc=doc,
isCtor=True, klass=self, noDerivedCtor=noDerivedCtor,
cppSignature=cppSignature, **kw)
self._addMethod(md)
return md
#------------------------------------------------------------------
def addPyMethod(self, name, argsString, body, doc=None, **kw):
"""
Add a (monkey-patched) Python method to this class.
"""
pm = PyMethodDef(self, name, argsString, body, doc, **kw)
self.items.append(pm)
return pm
def addPyCode(self, code):
"""
Add a snippet of Python code which is to be associated with this class.
"""
pc = PyCodeDef(code, klass=self, protection = 'public')
self.items.append(pc)
return pc
def addPublic(self, code=''):
"""
Adds a 'public:' protection keyword to the class, optionally followed
by some additional code.
"""
text = 'public:'
if code:
text = text + '\n' + code
self.addItem(WigCode(text))
def addProtected(self, code=''):
"""
Adds a 'protected:' protection keyword to the class, optionally followed
by some additional code.
"""
text = 'protected:'
if code:
text = text + '\n' + code
self.addItem(WigCode(text))
def addPrivate(self, code=''):
"""
Adds a 'private:' protection keyword to the class, optionally followed
by some additional code.
"""
text = 'private:'
if code:
text = text + '\n' + code
self.addItem(WigCode(text))
def addDefaultCtor(self, prot='protected'):
# add declaration of a default constructor to this class
wig = WigCode("""\
{PROT}:
{CLASS}();""".format(CLASS=self.name, PROT=prot))
self.addItem(wig)
def addCopyCtor(self, prot='protected'):
# add declaration of a copy constructor to this class
wig = WigCode("""\
{PROT}:
{CLASS}(const {CLASS}&);""".format(CLASS=self.name, PROT=prot))
self.addItem(wig)
def addPrivateCopyCtor(self):
self.addCopyCtor('private')
def addPrivateDefaultCtor(self):
self.addDefaultCtor('private')
def addPrivateAssignOp(self):
# add declaration of an assignment opperator to this class
wig = WigCode("""\
private:
{CLASS}& operator=(const {CLASS}&);""".format(CLASS=self.name))
self.addItem(wig)
def addDtor(self, prot='protected', isVirtual=False):
# add declaration of a destructor to this class
virtual = 'virtual ' if isVirtual else ''
wig = WigCode("""\
{PROT}:
{VIRTUAL}~{CLASS}();""".format(VIRTUAL=virtual, CLASS=self.name, PROT=prot))
self.addItem(wig)
def addDefaultCtor(self, prot='protected'):
# add declaration of a default constructor to this class
wig = WigCode("""\
{PROT}:
{CLASS}();""".format(CLASS=self.name, PROT=prot))
self.addItem(wig)
def mustHaveApp(self, value=True):
if value:
self.preMethodCode = "if (!wxPyCheckForApp()) return NULL;\n"
else:
self.preMethodCode = None
def copyFromClass(self, klass, name):
"""
Copy an item from another class into this class. If it is a pure
virtual method in the other class then assume that it has a concrete
implementation in this class and change the flag.
Returns the new item.
"""
item = copy.deepcopy(klass.find(name))
if isinstance(item, MethodDef) and item.isPureVirtual:
item.isPureVirtual = False
self.addItem(item)
return item
def setReSTPostProcessor(self, func):
"""
Set a function to be called after the class's docs have been generated.
"""
self.postProcessReST = func
#---------------------------------------------------------------------------
class EnumDef(BaseDef):
"""
A named or anonymous enumeration.
"""
def __init__(self, element=None, inClass=[], **kw):
super(EnumDef, self).__init__()
self.inClass = inClass
if element is not None:
prot = element.get('prot')
if prot is not None:
self.protection = prot
assert self.protection in ['public', 'protected']
# TODO: Should protected items be ignored by default or should we
# leave that up to the tweaker code or the generators?
if self.protection == 'protected':
self.ignore()
self.extract(element)
self.__dict__.update(kw)
def extract(self, element):
super(EnumDef, self).extract(element)
for node in element.findall('enumvalue'):
value = EnumValueDef(node)
self.items.append(value)
class EnumValueDef(BaseDef):
"""
An item in an enumeration.
"""
def __init__(self, element=None, **kw):
super(EnumValueDef, self).__init__()
if element is not None:
self.extract(element)
self.__dict__.update(kw)
#---------------------------------------------------------------------------
class DefineDef(BaseDef):
"""
Represents a #define with a name and a value.
"""
def __init__(self, element=None, **kw):
super(DefineDef, self).__init__()
if element is not None:
self.name = element.find('name').text
self.value = flattenNode(element.find('initializer'))
self.__dict__.update(kw)
#---------------------------------------------------------------------------
class PropertyDef(BaseDef):
"""
Use the C++ methods of a class to make a Python property.
NOTE: This one is not automatically extracted, but can be added to
classes in the tweaker stage
"""
def __init__(self, name, getter=None, setter=None, doc=None, **kw):
super(PropertyDef, self).__init__()
self.name = name
self.getter = getter
self.setter = setter
self.briefDoc = doc
self.protection = 'public'
self.__dict__.update(kw)
class PyPropertyDef(PropertyDef):
pass
#---------------------------------------------------------------------------
class CppMethodDef(MethodDef):
"""
This class provides information that can be used to add the code for a new
method to a wrapper class that does not actually exist in the real C++
class, or it can be used to provide an alternate implementation for a
method that does exist. The backend generator support for this feature
would be things like %extend in SWIG or %MethodCode in SIP.
NOTE: This one is not automatically extracted, but can be added to
classes in the tweaker stage
"""
def __init__(self, type, name, argsString: str, body, doc=None, isConst=False,
cppSignature=None, virtualCatcherCode=None, **kw):
super(CppMethodDef, self).__init__()
self.type = type
self.name = name
self.useDerivedName = True
self.argsString = argsString
self.body = body
self.briefDoc = doc
self.protection = 'public'
self.klass = None
self.noDerivedCtor = False
self.isConst = isConst
self.isPureVirtual = False
self.cppSignature = cppSignature
self.virtualCatcherCode = virtualCatcherCode
self.isCore = _globalIsCore
self.isSlot = False
self.__dict__.update(kw)
@staticmethod
def FromMethod(method):
"""
Create a new CppMethodDef that is essentially a copy of a MethodDef,
so it can be used to write the code for a new wrapper function.
TODO: It might be better to just refactor the code in the generator
so it can be shared more easily instead of using a hack like this...
"""
m = CppMethodDef('', '', '', '')
m.__dict__.update(method.__dict__)
return m
class CppMethodDef_sip(CppMethodDef):
"""
Just like the above, but instead of generating a new function from the
provided code, the code is used inline inside SIP's %MethodCode directive.
This makes it possible to use additional SIP magic for things that are
beyond the general scope of the other C++ Method implementation.
"""
pass
#---------------------------------------------------------------------------
class WigCode(BaseDef):
"""
This class allows code defined by the extractors to be injected into the
generated Wrapper Interface Generator file. In other words, this is extra
code meant to be consumed by the back-end code generator, and it will be
injected at the point in the file generation that this object is seen.
"""
def __init__(self, code, **kw):
super(WigCode, self).__init__()
self.code = code
self.protection = 'public'
self.__dict__.update(kw)
#---------------------------------------------------------------------------
class PyCodeDef(BaseDef):
"""
This code held by this class will be written to a Python module
that wraps the import of the extension module.
"""
def __init__(self, code, order=None, **kw):
super(PyCodeDef, self).__init__()
self.code = code
self.order = order
self.__dict__.update(kw)
#---------------------------------------------------------------------------
class PyFunctionDef(BaseDef):
"""
A PyFunctionDef can be used to define Python functions that will be
written pretty much as-is to a module's .py file. Can also be used for
methods in a PyClassDef. Using an explicit extractor object rather than
just "including" the raw code lets us provide the needed metadata for
document generators, etc.
"""
def __init__(self, name, argsString, body, doc=None, order=None, **kw):
super(PyFunctionDef, self).__init__()
self.name = name
self.argsString = self.pyArgsString = argsString
self.body = body
self.briefDoc = doc
self.order = order
self.deprecated = False
self.isStatic = False
self.overloads = []
self.__dict__.update(kw)
def hasOverloads(self):
"""
Returns True if there are any overloads that are not ignored.
"""
return bool([x for x in self.overloads if not x.ignored])
#---------------------------------------------------------------------------
class PyClassDef(BaseDef):
"""
A PyClassDef is used to define a pure-python class that will be injected
into the module's .py file, but does so in a way that the various bits of
information about the class are available in the extractor objects for
the generators to use.
"""
def __init__(self, name, bases=[], doc=None, items=[], order=None, **kw):
super(PyClassDef, self).__init__()
self.name = name
self.bases = bases
self.briefDoc = self.pyDocstring = doc
self.enum_file = ''
self.nodeBases = []
self.subClasses = []
self.items.extend(items)
self.deprecated = False
self.order = order
self.__dict__.update(kw)
self.nodeBases = self.findHierarchy()
def findHierarchy(self):
all_classes = {}
fullname = self.name
specials = [fullname]
baselist = [base for base in self.bases if base != 'object']
all_classes[fullname] = (fullname, baselist)
for base in baselist:
all_classes[base] = (base, [])
return all_classes, specials
#---------------------------------------------------------------------------
class PyMethodDef(PyFunctionDef):
"""
A PyMethodDef can be used to define Python class methods that will then be
monkey-patched in to the extension module Types as if they belonged there.
"""
def __init__(self, klass, name, argsString, body, doc=None, **kw):
super(PyMethodDef, self).__init__(name, argsString, body, doc)
self.klass = klass
self.protection = 'public'
self.__dict__.update(kw)
#---------------------------------------------------------------------------
class ModuleDef(BaseDef):
"""
This class holds all the items that will be in the generated module
"""
def __init__(self, package, module, name, docstring='', check4unittest=True):
super(ModuleDef, self).__init__()
self.package = package
self.module = module
self.name = name
self.docstring = docstring
self.check4unittest = check4unittest
self.headerCode = []
self.cppCode = []
self.initializerCode = []
self.preInitializerCode = []
self.postInitializerCode = []
self.includes = []
self.imports = []
self.isARealModule = (module == name)
def parseCompleted(self):
"""
Called after the loading of items from the XML has completed, just
before the tweaking stage is done.
"""
# Reorder the items in the module to be a little more sane, such as
# enums and other constants first, then the classes and functions (since
# they may use those constants) and then the global variables, but perhaps
# only those that have classes in this module as their type.
one = list()
two = list()
three = list()
for item in self.items:
if isinstance(item, (ClassDef, FunctionDef)):
two.append(item)
elif isinstance(item, GlobalVarDef) and (
guessTypeInt(item) or guessTypeFloat(item) or guessTypeStr(item)):
one.append(item)
elif isinstance(item, GlobalVarDef):
three.append(item)
# template instantiations go at the end
elif isinstance(item, TypedefDef) and '<' in item.type:
three.append(item)
else:
one.append(item)
self.items = one + two + three
# give everything an isCore flag
global _globalIsCore
_globalIsCore = self.module == '_core'
for item in self.allItems():
item.isCore = _globalIsCore
def addHeaderCode(self, code):
if isinstance(code, list):
self.headerCode.extend(code)
else:
self.headerCode.append(code)
def addCppCode(self, code):
if isinstance(code, list):
self.cppCode.extend(code)
else:
self.cppCode.append(code)
def includeCppCode(self, filename):
with textfile_open(filename) as fid:
self.addCppCode(fid.read())
def addInitializerCode(self, code):
if isinstance(code, list):
self.initializerCode.extend(code)
else:
self.initializerCode.append(code)
def addPreInitializerCode(self, code):
if isinstance(code, list):
self.preInitializerCode.extend(code)
else:
self.preInitializerCode.append(code)
def addPostInitializerCode(self, code):
if isinstance(code, list):
self.postInitializerCode.extend(code)
else:
self.postInitializerCode.append(code)
def addInclude(self, name):
if isinstance(name, list):
self.includes.extend(name)
else:
self.includes.append(name)
def addImport(self, name):
if isinstance(name, list):
self.imports.extend(name)
else:
self.imports.append(name)
def addElement(self, element):
item = None
kind = element.get('kind')
if kind == 'class':
extractingMsg(kind, element, ClassDef.nameTag)
item = ClassDef(element, module=self)
self.items.append(item)
elif kind == 'struct':
extractingMsg(kind, element, ClassDef.nameTag)
item = ClassDef(element, kind='struct')
self.items.append(item)
elif kind == 'function':
extractingMsg(kind, element)
item = FunctionDef(element, module=self)
if not item.checkForOverload(self.items):
self.items.append(item)
elif kind == 'enum':
inClass = []
for el in self.items:
if isinstance(el, ClassDef):
inClass.append(el)
extractingMsg(kind, element)
item = EnumDef(element, inClass)
self.items.append(item)
elif kind == 'variable':
extractingMsg(kind, element)
item = GlobalVarDef(element)
self.items.append(item)
elif kind == 'typedef':
extractingMsg(kind, element)
item = TypedefDef(element)
self.items.append(item)
elif kind == 'define':
# if it doesn't have a value, it must be a macro.
value = flattenNode(element.find("initializer"))
if not value:
skippingMsg(kind, element)
else:
# NOTE: This assumes that the #defines are numeric values.
# There will have to be some tweaking done for items that are
# not numeric...
extractingMsg(kind, element)
item = DefineDef(element)
self.items.append(item)
elif kind == 'file' or kind == 'namespace':
extractingMsg(kind, element)
for node in element.findall('sectiondef/memberdef'):
self.addElement(node)
for node in element.findall('sectiondef/member'):
node = self.resolveRefid(node)
self.addElement(node)
else:
raise ExtractorError('Unknown module item kind: %s' % kind)
return item
def resolveRefid(self, node):
from etgtools import XMLSRC
refid = node.get('refid')
fname = os.path.join(XMLSRC, refid.rsplit('_', 1)[0]) + '.xml'
root = ET.parse(fname).getroot()
return root.find(".//memberdef[@id='{}']".format(refid))
def addCppFunction(self, type, name, argsString, body, doc=None, **kw):
"""
Add a new C++ function into the module that is written by hand, not
wrapped.
"""
md = CppMethodDef(type, name, argsString, body, doc, **kw)
self.items.append(md)
return md
def addCppFunction_sip(self, type, name, argsString, body, doc=None, **kw):
"""
Add a new C++ function into the module that is written by hand, not
wrapped.
"""
md = CppMethodDef_sip(type, name, argsString, body, doc, **kw)
self.items.append(md)
return md
def addPyCode(self, code, order=None, **kw):
"""
Add a snippet of Python code to the wrapper module.
"""
pc = PyCodeDef(code, order, **kw)
self.items.append(pc)
return pc
def addGlobalStr(self, name, before=None, wide=False):
if self.findItem(name):
self.findItem(name).ignore()
if wide:
gv = GlobalVarDef(type='const wchar_t*', name=name)
else:
gv = GlobalVarDef(type='const char*', name=name)
if before is None:
self.addItem(gv)
elif isinstance(before, int):
self.insertItem(before, gv)
else:
self.insertItemBefore(before, gv)
return gv
def includePyCode(self, filename, order=None):
"""
Add a snippet of Python code from a file to the wrapper module.
"""
with textfile_open(filename) as fid:
text = fid.read()
return self.addPyCode(
"#" + '-=' * 38 + '\n' +
("# This code block was included from %s\n%s\n" % (filename, text)) +
"# End of included code block\n"
"#" + '-=' * 38 + '\n' ,
order
)
def addPyFunction(self, name, argsString, body, doc=None, order=None, **kw):
"""
Add a Python function to this module.
"""
pf = PyFunctionDef(name, argsString, body, doc, order, **kw)
self.items.append(pf)
return pf
def addPyClass(self, name, bases=[], doc=None, items=[], order=None, **kw):
"""
Add a pure Python class to this module.
"""
pc = PyClassDef(name, bases, doc, items, order, **kw)
self.items.append(pc)
return pc
#---------------------------------------------------------------------------
# Some helper functions and such
#---------------------------------------------------------------------------
def flattenNode(node, rstrip=True):
"""
Extract just the text from a node and its children, tossing out any child
node tags and attributes.
"""
# TODO: can we just use ElementTree.tostring for this function?
if node is None:
return ""
if isinstance(node, str):
return node
text = node.text or ""
for n in node:
text += flattenNode(n, rstrip)
if node.tail:
text += node.tail
if rstrip:
text = text.rstrip()
if rstrip:
text = text.rstrip()
return text
def prettifyNode(elem):
"""
Return a pretty-printed XML string for the Element. Useful for debugging
or better understanding of xml trees.
"""
from xml.etree import ElementTree
from xml.dom import minidom
rough_string = ElementTree.tostring(elem, 'utf-8')
reparsed = minidom.parseString(rough_string)
return reparsed.toprettyxml(indent=" ")
def appendText(node, text):
"""
Append some text to a docstring element, such as an item's briefDoc or
detailedDoc attributes.
"""
ele = makeTextElement(text)
node.append(ele) # will work for either briefDoc (an Element) or detailedDoc (a list)
def prependText(node, text):
"""
Prepend some text to a docstring element, such as an item's briefDoc or
detailedDoc attributes.
"""
# If the node has text then just insert the new bti as a string
if hasattr(node, 'text') and node.text:
node.text = text + node.text
# otherwise insert it as an element
else:
ele = makeTextElement(text)
node.insert(0, ele)
def makeTextElement(text):
element = ET.Element('para')
element.text = text
return element
class ExtractorError(RuntimeError):
pass
def _print(value, indent, stream):
if stream is None:
stream = sys.stdout
indent = ' ' * indent
for line in str(value).splitlines():
stream.write("%s%s\n" % (indent, line))
def _pf(item, indent):
if indent == 0:
indent = 4
txt = pprint.pformat(item, indent)
if '\n' in txt:
txt = '\n' + txt
return txt
def verbose():
return '--verbose' in sys.argv
def extractingMsg(kind, element, nameTag='name'):
if verbose():
print('Extracting %s: %s' % (kind, element.find(nameTag).text))
def skippingMsg(kind, element):
if verbose():
print('Skipping %s: %s' % (kind, element.find('name').text))
#---------------------------------------------------------------------------
|