fragments.py 23 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607
  1. #
  2. # SPDX-FileCopyrightText: 2021 Espressif Systems (Shanghai) CO LTD
  3. # SPDX-License-Identifier: Apache-2.0
  4. #
  5. import abc
  6. import os
  7. import re
  8. from collections import namedtuple
  9. from enum import Enum
  10. from entity import Entity
  11. from pyparsing import (Combine, Forward, Group, Keyword, Literal, OneOrMore, Optional, Or, ParseFatalException,
  12. Suppress, Word, ZeroOrMore, alphanums, alphas, delimitedList, indentedBlock, nums,
  13. originalTextFor, restOfLine)
  14. from sdkconfig import SDKConfig
  15. class FragmentFile():
  16. """
  17. Processes a fragment file and stores all parsed fragments. For
  18. more information on how this class interacts with classes for the different fragment types,
  19. see description of Fragment.
  20. """
  21. def __init__(self, fragment_file, sdkconfig):
  22. try:
  23. fragment_file = open(fragment_file, 'r')
  24. except TypeError:
  25. pass
  26. path = os.path.realpath(fragment_file.name)
  27. indent_stack = [1]
  28. class parse_ctx:
  29. fragment = None # current fragment
  30. key = '' # current key
  31. keys = list() # list of keys parsed
  32. key_grammar = None # current key grammar
  33. @staticmethod
  34. def reset():
  35. parse_ctx.fragment_instance = None
  36. parse_ctx.key = ''
  37. parse_ctx.keys = list()
  38. parse_ctx.key_grammar = None
  39. def fragment_type_parse_action(toks):
  40. parse_ctx.reset()
  41. parse_ctx.fragment = FRAGMENT_TYPES[toks[0]]() # create instance of the fragment
  42. return None
  43. def expand_conditionals(toks, stmts):
  44. try:
  45. stmt = toks['value']
  46. stmts.append(stmt)
  47. except KeyError:
  48. try:
  49. conditions = toks['conditional']
  50. for condition in conditions:
  51. try:
  52. _toks = condition[1]
  53. _cond = condition[0]
  54. if sdkconfig.evaluate_expression(_cond):
  55. expand_conditionals(_toks, stmts)
  56. break
  57. except IndexError:
  58. expand_conditionals(condition[0], stmts)
  59. except KeyError:
  60. for tok in toks:
  61. expand_conditionals(tok, stmts)
  62. def key_body_parsed(pstr, loc, toks):
  63. stmts = list()
  64. expand_conditionals(toks, stmts)
  65. if parse_ctx.key_grammar.min and len(stmts) < parse_ctx.key_grammar.min:
  66. raise ParseFatalException(pstr, loc, "fragment requires at least %d values for key '%s'" %
  67. (parse_ctx.key_grammar.min, parse_ctx.key))
  68. if parse_ctx.key_grammar.max and len(stmts) > parse_ctx.key_grammar.max:
  69. raise ParseFatalException(pstr, loc, "fragment requires at most %d values for key '%s'" %
  70. (parse_ctx.key_grammar.max, parse_ctx.key))
  71. try:
  72. parse_ctx.fragment.set_key_value(parse_ctx.key, stmts)
  73. except Exception as e:
  74. raise ParseFatalException(pstr, loc, "unable to add key '%s'; %s" % (parse_ctx.key, str(e)))
  75. return None
  76. key = Word(alphanums + '_') + Suppress(':')
  77. key_stmt = Forward()
  78. condition_block = indentedBlock(key_stmt, indent_stack)
  79. key_stmts = OneOrMore(condition_block)
  80. key_body = Suppress(key) + key_stmts
  81. key_body.setParseAction(key_body_parsed)
  82. condition = originalTextFor(SDKConfig.get_expression_grammar()).setResultsName('condition')
  83. if_condition = Group(Suppress('if') + condition + Suppress(':') + condition_block)
  84. elif_condition = Group(Suppress('elif') + condition + Suppress(':') + condition_block)
  85. else_condition = Group(Suppress('else') + Suppress(':') + condition_block)
  86. conditional = (if_condition + Optional(OneOrMore(elif_condition)) + Optional(else_condition)).setResultsName('conditional')
  87. def key_parse_action(pstr, loc, toks):
  88. key = toks[0]
  89. if key in parse_ctx.keys:
  90. raise ParseFatalException(pstr, loc, "duplicate key '%s' value definition" % parse_ctx.key)
  91. parse_ctx.key = key
  92. parse_ctx.keys.append(key)
  93. try:
  94. parse_ctx.key_grammar = parse_ctx.fragment.get_key_grammars()[key]
  95. key_grammar = parse_ctx.key_grammar.grammar
  96. except KeyError:
  97. raise ParseFatalException(pstr, loc, "key '%s' is not supported by fragment" % key)
  98. except Exception as e:
  99. raise ParseFatalException(pstr, loc, "unable to parse key '%s'; %s" % (key, str(e)))
  100. key_stmt << (conditional | Group(key_grammar).setResultsName('value'))
  101. return None
  102. def name_parse_action(pstr, loc, toks):
  103. parse_ctx.fragment.name = toks[0]
  104. key.setParseAction(key_parse_action)
  105. ftype = Word(alphas).setParseAction(fragment_type_parse_action)
  106. fid = Suppress(':') + Word(alphanums + '_.').setResultsName('name')
  107. fid.setParseAction(name_parse_action)
  108. header = Suppress('[') + ftype + fid + Suppress(']')
  109. def fragment_parse_action(pstr, loc, toks):
  110. key_grammars = parse_ctx.fragment.get_key_grammars()
  111. required_keys = set([k for (k,v) in key_grammars.items() if v.required])
  112. present_keys = required_keys.intersection(set(parse_ctx.keys))
  113. if present_keys != required_keys:
  114. raise ParseFatalException(pstr, loc, 'required keys %s for fragment not found' %
  115. list(required_keys - present_keys))
  116. return parse_ctx.fragment
  117. fragment_stmt = Forward()
  118. fragment_block = indentedBlock(fragment_stmt, indent_stack)
  119. fragment_if_condition = Group(Suppress('if') + condition + Suppress(':') + fragment_block)
  120. fragment_elif_condition = Group(Suppress('elif') + condition + Suppress(':') + fragment_block)
  121. fragment_else_condition = Group(Suppress('else') + Suppress(':') + fragment_block)
  122. fragment_conditional = (fragment_if_condition + Optional(OneOrMore(fragment_elif_condition)) +
  123. Optional(fragment_else_condition)).setResultsName('conditional')
  124. fragment = (header + OneOrMore(indentedBlock(key_body, indent_stack, False))).setResultsName('value')
  125. fragment.setParseAction(fragment_parse_action)
  126. fragment.ignore('#' + restOfLine)
  127. deprecated_mapping = DeprecatedMapping.get_fragment_grammar(sdkconfig, fragment_file.name).setResultsName('value')
  128. fragment_stmt << (Group(deprecated_mapping) | Group(fragment) | Group(fragment_conditional))
  129. def fragment_stmt_parsed(pstr, loc, toks):
  130. stmts = list()
  131. expand_conditionals(toks, stmts)
  132. return stmts
  133. parser = ZeroOrMore(fragment_stmt)
  134. parser.setParseAction(fragment_stmt_parsed)
  135. self.fragments = parser.parseFile(fragment_file, parseAll=True)
  136. for fragment in self.fragments:
  137. fragment.path = path
  138. class Fragment():
  139. """
  140. Base class for a fragment that can be parsed from a fragment file. All fragments
  141. share the common grammar:
  142. [type:name]
  143. key1:value1
  144. key2:value2
  145. ...
  146. Supporting a new fragment type means deriving a concrete class which specifies
  147. key-value pairs that the fragment supports and what to do with the parsed key-value pairs.
  148. The new fragment must also be appended to FRAGMENT_TYPES, specifying the
  149. keyword for the type and the derived class.
  150. The key of the key-value pair is a simple keyword string. Other parameters
  151. that describe the key-value pair is specified in Fragment.KeyValue:
  152. 1. grammar - pyparsing grammar to parse the value of key-value pair
  153. 2. min - the minimum number of value in the key entry, None means no minimum
  154. 3. max - the maximum number of value in the key entry, None means no maximum
  155. 4. required - if the key-value pair is required in the fragment
  156. Setting min=max=1 means that the key has a single value.
  157. FragmentFile provides conditional expression evaluation, enforcing
  158. the parameters for Fragment.Keyvalue.
  159. """
  160. __metaclass__ = abc.ABCMeta
  161. KeyValue = namedtuple('KeyValue', 'grammar min max required')
  162. IDENTIFIER = Word(alphas + '_', alphanums + '_')
  163. ENTITY = Word(alphanums + '.-_$+')
  164. @abc.abstractmethod
  165. def set_key_value(self, key, parse_results):
  166. pass
  167. @abc.abstractmethod
  168. def get_key_grammars(self):
  169. pass
  170. class Sections(Fragment):
  171. """
  172. Fragment which contains list of input sections.
  173. [sections:<name>]
  174. entries:
  175. .section1
  176. .section2
  177. ...
  178. """
  179. # Unless quoted, symbol names start with a letter, underscore, or point
  180. # and may include any letters, underscores, digits, points, and hyphens.
  181. GNU_LD_SYMBOLS = Word(alphas + '_.', alphanums + '._-')
  182. entries_grammar = Combine(GNU_LD_SYMBOLS + Optional('+'))
  183. grammars = {
  184. 'entries': Fragment.KeyValue(entries_grammar.setResultsName('section'), 1, None, True)
  185. }
  186. """
  187. Utility function that returns a list of sections given a sections fragment entry,
  188. with the '+' notation and symbol concatenation handled automatically.
  189. """
  190. @staticmethod
  191. def get_section_data_from_entry(sections_entry, symbol=None):
  192. if not symbol:
  193. sections = list()
  194. sections.append(sections_entry.replace('+', ''))
  195. sections.append(sections_entry.replace('+', '.*'))
  196. return sections
  197. else:
  198. if sections_entry.endswith('+'):
  199. section = sections_entry.replace('+', '.*')
  200. expansion = section.replace('.*', '.' + symbol)
  201. return (section, expansion)
  202. else:
  203. return (sections_entry, None)
  204. def set_key_value(self, key, parse_results):
  205. if key == 'entries':
  206. self.entries = set()
  207. for result in parse_results:
  208. self.entries.add(result['section'])
  209. def get_key_grammars(self):
  210. return self.__class__.grammars
  211. class Scheme(Fragment):
  212. """
  213. Fragment which defines where the input sections defined in a Sections fragment
  214. is going to end up, the target. The targets are markers in a linker script template
  215. (see LinkerScript in linker_script.py).
  216. [scheme:<name>]
  217. entries:
  218. sections1 -> target1
  219. ...
  220. """
  221. grammars = {
  222. 'entries': Fragment.KeyValue(Fragment.IDENTIFIER.setResultsName('sections') + Suppress('->') +
  223. Fragment.IDENTIFIER.setResultsName('target'), 1, None, True)
  224. }
  225. def set_key_value(self, key, parse_results):
  226. if key == 'entries':
  227. self.entries = set()
  228. for result in parse_results:
  229. self.entries.add((result['sections'], result['target']))
  230. def get_key_grammars(self):
  231. return self.__class__.grammars
  232. class Mapping(Fragment):
  233. """
  234. Fragment which attaches a scheme to entities (see Entity in entity.py), specifying where the input
  235. sections of the entity will end up.
  236. [mapping:<name>]
  237. archive: lib1.a
  238. entries:
  239. obj1:symbol1 (scheme1); section1 -> target1 KEEP SURROUND(sym1) ...
  240. obj2 (scheme2)
  241. ...
  242. Ultimately, an `entity (scheme)` entry generates an
  243. input section description (see https://sourceware.org/binutils/docs/ld/Input-Section.html)
  244. in the output linker script. It is possible to attach 'flags' to the
  245. `entity (scheme)` to generate different output commands or to
  246. emit additional keywords in the generated input section description. The
  247. input section description, as well as other output commands, is defined in
  248. output_commands.py.
  249. """
  250. class Flag():
  251. PRE_POST = (Optional(Suppress(',') + Suppress('pre').setParseAction(lambda: True).setResultsName('pre')) +
  252. Optional(Suppress(',') + Suppress('post').setParseAction(lambda: True).setResultsName('post')))
  253. class Surround(Flag):
  254. def __init__(self, symbol):
  255. self.symbol = symbol
  256. self.pre = True
  257. self.post = True
  258. @staticmethod
  259. def get_grammar():
  260. # SURROUND(symbol)
  261. #
  262. # '__symbol_start', '__symbol_end' is generated before and after
  263. # the corresponding input section description, respectively.
  264. grammar = (Keyword('SURROUND').suppress() +
  265. Suppress('(') +
  266. Fragment.IDENTIFIER.setResultsName('symbol') +
  267. Suppress(')'))
  268. grammar.setParseAction(lambda tok: Mapping.Surround(tok.symbol))
  269. return grammar
  270. def __eq__(self, other):
  271. return (isinstance(other, Mapping.Surround) and
  272. self.symbol == other.symbol)
  273. class Align(Flag):
  274. def __init__(self, alignment, pre=True, post=False):
  275. self.alignment = alignment
  276. self.pre = pre
  277. self.post = post
  278. @staticmethod
  279. def get_grammar():
  280. # ALIGN(alignment, [, pre, post]).
  281. #
  282. # Generates alignment command before and/or after the corresponding
  283. # input section description, depending whether pre, post or
  284. # both are specified.
  285. grammar = (Keyword('ALIGN').suppress() +
  286. Suppress('(') +
  287. Word(nums).setResultsName('alignment') +
  288. Mapping.Flag.PRE_POST +
  289. Suppress(')'))
  290. def on_parse(tok):
  291. alignment = int(tok.alignment)
  292. if tok.pre == '' and tok.post == '':
  293. res = Mapping.Align(alignment)
  294. elif tok.pre != '' and tok.post == '':
  295. res = Mapping.Align(alignment, tok.pre)
  296. elif tok.pre == '' and tok.post != '':
  297. res = Mapping.Align(alignment, False, tok.post)
  298. else:
  299. res = Mapping.Align(alignment, tok.pre, tok.post)
  300. return res
  301. grammar.setParseAction(on_parse)
  302. return grammar
  303. def __eq__(self, other):
  304. return (isinstance(other, Mapping.Align) and
  305. self.alignment == other.alignment and
  306. self.pre == other.pre and
  307. self.post == other.post)
  308. class Keep(Flag):
  309. def __init__(self):
  310. pass
  311. @staticmethod
  312. def get_grammar():
  313. # KEEP()
  314. #
  315. # Surrounds input section description with KEEP command.
  316. grammar = Keyword('KEEP()').setParseAction(Mapping.Keep)
  317. return grammar
  318. def __eq__(self, other):
  319. return isinstance(other, Mapping.Keep)
  320. class Sort(Flag):
  321. class Type(Enum):
  322. NAME = 0
  323. ALIGNMENT = 1
  324. INIT_PRIORITY = 2
  325. def __init__(self, first, second=None):
  326. self.first = first
  327. self.second = second
  328. @staticmethod
  329. def get_grammar():
  330. # SORT([sort_by_first, sort_by_second])
  331. #
  332. # where sort_by_first, sort_by_second = {name, alignment, init_priority}
  333. #
  334. # Emits SORT_BY_NAME, SORT_BY_ALIGNMENT or SORT_BY_INIT_PRIORITY
  335. # depending on arguments. Nested sort follows linker script rules.
  336. keywords = Keyword('name') | Keyword('alignment') | Keyword('init_priority')
  337. grammar = (Keyword('SORT').suppress() + Suppress('(') +
  338. keywords.setResultsName('first') +
  339. Optional(Suppress(',') + keywords.setResultsName('second')) + Suppress(')'))
  340. grammar.setParseAction(lambda tok: Mapping.Sort(tok.first, tok.second if tok.second != '' else None))
  341. return grammar
  342. def __eq__(self, other):
  343. return (isinstance(other, Mapping.Sort) and
  344. self.first == other.first and
  345. self.second == other.second)
  346. def __init__(self):
  347. Fragment.__init__(self)
  348. self.entries = set()
  349. # k = (obj, symbol, scheme)
  350. # v = list((section, target), Mapping.Flag))
  351. self.flags = dict()
  352. self.deprecated = False
  353. def set_key_value(self, key, parse_results):
  354. if key == 'archive':
  355. self.archive = parse_results[0]['archive']
  356. elif key == 'entries':
  357. for result in parse_results:
  358. obj = None
  359. symbol = None
  360. scheme = None
  361. obj = result['object']
  362. try:
  363. symbol = result['symbol']
  364. except KeyError:
  365. pass
  366. scheme = result['scheme']
  367. mapping = (obj, symbol, scheme)
  368. self.entries.add(mapping)
  369. try:
  370. parsed_flags = result['sections_target_flags']
  371. except KeyError:
  372. parsed_flags = []
  373. if parsed_flags:
  374. entry_flags = []
  375. for pf in parsed_flags:
  376. entry_flags.append((pf.sections, pf.target, list(pf.flags)))
  377. try:
  378. existing_flags = self.flags[mapping]
  379. except KeyError:
  380. existing_flags = list()
  381. self.flags[mapping] = existing_flags
  382. existing_flags.extend(entry_flags)
  383. def get_key_grammars(self):
  384. # There are three possible patterns for mapping entries:
  385. # obj:symbol (scheme)
  386. # obj (scheme)
  387. # * (scheme)
  388. # Flags can be specified for section->target in the scheme specified, ex:
  389. # obj (scheme); section->target SURROUND(symbol), section2->target2 ALIGN(4)
  390. obj = Fragment.ENTITY.setResultsName('object')
  391. symbol = Suppress(':') + Fragment.IDENTIFIER.setResultsName('symbol')
  392. scheme = Suppress('(') + Fragment.IDENTIFIER.setResultsName('scheme') + Suppress(')')
  393. # The flags are specified for section->target in the scheme specified
  394. sections_target = Scheme.grammars['entries'].grammar
  395. flag = Or([f.get_grammar() for f in [Mapping.Keep, Mapping.Align, Mapping.Surround, Mapping.Sort]])
  396. section_target_flags = Group(sections_target + Group(OneOrMore(flag)).setResultsName('flags'))
  397. pattern1 = obj + symbol
  398. pattern2 = obj
  399. pattern3 = Literal(Entity.ALL).setResultsName('object')
  400. entry = ((pattern1 | pattern2 | pattern3) + scheme +
  401. Optional(Suppress(';') + delimitedList(section_target_flags).setResultsName('sections_target_flags')))
  402. grammars = {
  403. 'archive': Fragment.KeyValue(Or([Fragment.ENTITY, Word(Entity.ALL)]).setResultsName('archive'), 1, 1, True),
  404. 'entries': Fragment.KeyValue(entry, 0, None, True)
  405. }
  406. return grammars
  407. class DeprecatedMapping():
  408. """
  409. Mapping fragment with old grammar in versions older than ESP-IDF v4.0. Does not conform to
  410. requirements of the Fragment class and thus is limited when it comes to conditional expression
  411. evaluation.
  412. """
  413. # Name of the default condition entry
  414. DEFAULT_CONDITION = 'default'
  415. @staticmethod
  416. def get_fragment_grammar(sdkconfig, fragment_file):
  417. # Match header [mapping]
  418. header = Suppress('[') + Suppress('mapping') + Suppress(']')
  419. # There are three possible patterns for mapping entries:
  420. # obj:symbol (scheme)
  421. # obj (scheme)
  422. # * (scheme)
  423. obj = Fragment.ENTITY.setResultsName('object')
  424. symbol = Suppress(':') + Fragment.IDENTIFIER.setResultsName('symbol')
  425. scheme = Suppress('(') + Fragment.IDENTIFIER.setResultsName('scheme') + Suppress(')')
  426. pattern1 = Group(obj + symbol + scheme)
  427. pattern2 = Group(obj + scheme)
  428. pattern3 = Group(Literal(Entity.ALL).setResultsName('object') + scheme)
  429. mapping_entry = pattern1 | pattern2 | pattern3
  430. # To simplify parsing, classify groups of condition-mapping entry into two types: normal and default
  431. # A normal grouping is one with a non-default condition. The default grouping is one which contains the
  432. # default condition
  433. mapping_entries = Group(ZeroOrMore(mapping_entry)).setResultsName('mappings')
  434. normal_condition = Suppress(':') + originalTextFor(SDKConfig.get_expression_grammar())
  435. default_condition = Optional(Suppress(':') + Literal(DeprecatedMapping.DEFAULT_CONDITION))
  436. normal_group = Group(normal_condition.setResultsName('condition') + mapping_entries)
  437. default_group = Group(default_condition + mapping_entries).setResultsName('default_group')
  438. normal_groups = Group(ZeroOrMore(normal_group)).setResultsName('normal_groups')
  439. # Any mapping fragment definition can have zero or more normal group and only one default group as a last entry.
  440. archive = Suppress('archive') + Suppress(':') + Fragment.ENTITY.setResultsName('archive')
  441. entries = Suppress('entries') + Suppress(':') + (normal_groups + default_group).setResultsName('entries')
  442. mapping = Group(header + archive + entries)
  443. mapping.ignore('#' + restOfLine)
  444. def parsed_deprecated_mapping(pstr, loc, toks):
  445. fragment = Mapping()
  446. fragment.archive = toks[0].archive
  447. fragment.name = re.sub(r'[^0-9a-zA-Z]+', '_', fragment.archive)
  448. fragment.deprecated = True
  449. fragment.entries = set()
  450. condition_true = False
  451. for entries in toks[0].entries[0]:
  452. condition = next(iter(entries.condition.asList())).strip()
  453. condition_val = sdkconfig.evaluate_expression(condition)
  454. if condition_val:
  455. for entry in entries[1]:
  456. fragment.entries.add((entry.object, None if entry.symbol == '' else entry.symbol, entry.scheme))
  457. condition_true = True
  458. break
  459. if not fragment.entries and not condition_true:
  460. try:
  461. entries = toks[0].entries[1][1]
  462. except IndexError:
  463. entries = toks[0].entries[1][0]
  464. for entry in entries:
  465. fragment.entries.add((entry.object, None if entry.symbol == '' else entry.symbol, entry.scheme))
  466. if not fragment.entries:
  467. fragment.entries.add(('*', None, 'default'))
  468. dep_warning = str(ParseFatalException(pstr, loc,
  469. 'Warning: Deprecated old-style mapping fragment parsed in file %s.' % fragment_file))
  470. print(dep_warning)
  471. return fragment
  472. mapping.setParseAction(parsed_deprecated_mapping)
  473. return mapping
  474. FRAGMENT_TYPES = {
  475. 'sections': Sections,
  476. 'scheme': Scheme,
  477. 'mapping': Mapping
  478. }