expr_parser.py 8.3 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339
  1. #!/usr/bin/env python3
  2. #
  3. # Copyright (c) 2016 Intel Corporation.
  4. #
  5. # SPDX-License-Identifier: Apache-2.0
  6. import copy
  7. import logging
  8. import os
  9. import re
  10. import sys
  11. import threading
  12. try:
  13. import ply.lex as lex
  14. import ply.yacc as yacc
  15. except ImportError:
  16. sys.exit("PLY library for Python 3 not installed.\n"
  17. "Please install the ply package using your workstation's\n"
  18. "package manager or the 'pip' tool.")
  19. _logger = logging.getLogger('twister')
  20. reserved = {
  21. 'and' : 'AND',
  22. 'or' : 'OR',
  23. 'not' : 'NOT',
  24. 'in' : 'IN',
  25. }
  26. tokens = [
  27. "HEX",
  28. "STR",
  29. "INTEGER",
  30. "EQUALS",
  31. "NOTEQUALS",
  32. "LT",
  33. "GT",
  34. "LTEQ",
  35. "GTEQ",
  36. "OPAREN",
  37. "CPAREN",
  38. "OBRACKET",
  39. "CBRACKET",
  40. "COMMA",
  41. "SYMBOL",
  42. "COLON",
  43. ] + list(reserved.values())
  44. def t_HEX(t):
  45. r"0x[0-9a-fA-F]+"
  46. t.value = str(int(t.value, 16))
  47. return t
  48. def t_INTEGER(t):
  49. r"\d+"
  50. t.value = str(int(t.value))
  51. return t
  52. def t_STR(t):
  53. r'\"([^\\\n]|(\\.))*?\"|\'([^\\\n]|(\\.))*?\''
  54. # nip off the quotation marks
  55. t.value = t.value[1:-1]
  56. return t
  57. t_EQUALS = r"=="
  58. t_NOTEQUALS = r"!="
  59. t_LT = r"<"
  60. t_GT = r">"
  61. t_LTEQ = r"<="
  62. t_GTEQ = r">="
  63. t_OPAREN = r"[(]"
  64. t_CPAREN = r"[)]"
  65. t_OBRACKET = r"\["
  66. t_CBRACKET = r"\]"
  67. t_COMMA = r","
  68. t_COLON = ":"
  69. def t_SYMBOL(t):
  70. r"[A-Za-z_][0-9A-Za-z_]*"
  71. t.type = reserved.get(t.value, "SYMBOL")
  72. return t
  73. t_ignore = " \t\n"
  74. def t_error(t):
  75. raise SyntaxError("Unexpected token '%s'" % t.value)
  76. lex.lex()
  77. precedence = (
  78. ('left', 'OR'),
  79. ('left', 'AND'),
  80. ('right', 'NOT'),
  81. ('nonassoc', 'EQUALS', 'NOTEQUALS', 'GT', 'LT', 'GTEQ', 'LTEQ', 'IN'),
  82. )
  83. def p_expr_or(p):
  84. 'expr : expr OR expr'
  85. p[0] = ("or", p[1], p[3])
  86. def p_expr_and(p):
  87. 'expr : expr AND expr'
  88. p[0] = ("and", p[1], p[3])
  89. def p_expr_not(p):
  90. 'expr : NOT expr'
  91. p[0] = ("not", p[2])
  92. def p_expr_parens(p):
  93. 'expr : OPAREN expr CPAREN'
  94. p[0] = p[2]
  95. def p_expr_eval(p):
  96. """expr : SYMBOL EQUALS const
  97. | SYMBOL NOTEQUALS const
  98. | SYMBOL GT number
  99. | SYMBOL LT number
  100. | SYMBOL GTEQ number
  101. | SYMBOL LTEQ number
  102. | SYMBOL IN list
  103. | SYMBOL COLON STR"""
  104. p[0] = (p[2], p[1], p[3])
  105. def p_expr_single(p):
  106. """expr : SYMBOL"""
  107. p[0] = ("exists", p[1])
  108. def p_func(p):
  109. """expr : SYMBOL OPAREN arg_intr CPAREN"""
  110. p[0] = [p[1]]
  111. p[0].append(p[3])
  112. def p_arg_intr_single(p):
  113. """arg_intr : const"""
  114. p[0] = [p[1]]
  115. def p_arg_intr_mult(p):
  116. """arg_intr : arg_intr COMMA const"""
  117. p[0] = copy.copy(p[1])
  118. p[0].append(p[3])
  119. def p_list(p):
  120. """list : OBRACKET list_intr CBRACKET"""
  121. p[0] = p[2]
  122. def p_list_intr_single(p):
  123. """list_intr : const"""
  124. p[0] = [p[1]]
  125. def p_list_intr_mult(p):
  126. """list_intr : list_intr COMMA const"""
  127. p[0] = copy.copy(p[1])
  128. p[0].append(p[3])
  129. def p_const(p):
  130. """const : STR
  131. | number"""
  132. p[0] = p[1]
  133. def p_number(p):
  134. """number : INTEGER
  135. | HEX"""
  136. p[0] = p[1]
  137. def p_error(p):
  138. if p:
  139. raise SyntaxError("Unexpected token '%s'" % p.value)
  140. else:
  141. raise SyntaxError("Unexpected end of expression")
  142. if "PARSETAB_DIR" not in os.environ:
  143. parser = yacc.yacc(debug=0)
  144. else:
  145. parser = yacc.yacc(debug=0, outputdir=os.environ["PARSETAB_DIR"])
  146. def ast_sym(ast, env):
  147. if ast in env:
  148. return str(env[ast])
  149. return ""
  150. def ast_sym_int(ast, env):
  151. if ast in env:
  152. v = env[ast]
  153. if v.startswith("0x") or v.startswith("0X"):
  154. return int(v, 16)
  155. else:
  156. return int(v, 10)
  157. return 0
  158. def ast_expr(ast, env, edt):
  159. if ast[0] == "not":
  160. return not ast_expr(ast[1], env, edt)
  161. elif ast[0] == "or":
  162. return ast_expr(ast[1], env, edt) or ast_expr(ast[2], env, edt)
  163. elif ast[0] == "and":
  164. return ast_expr(ast[1], env, edt) and ast_expr(ast[2], env, edt)
  165. elif ast[0] == "==":
  166. return ast_sym(ast[1], env) == ast[2]
  167. elif ast[0] == "!=":
  168. return ast_sym(ast[1], env) != ast[2]
  169. elif ast[0] == ">":
  170. return ast_sym_int(ast[1], env) > int(ast[2])
  171. elif ast[0] == "<":
  172. return ast_sym_int(ast[1], env) < int(ast[2])
  173. elif ast[0] == ">=":
  174. return ast_sym_int(ast[1], env) >= int(ast[2])
  175. elif ast[0] == "<=":
  176. return ast_sym_int(ast[1], env) <= int(ast[2])
  177. elif ast[0] == "in":
  178. return ast_sym(ast[1], env) in ast[2]
  179. elif ast[0] == "exists":
  180. return bool(ast_sym(ast[1], env))
  181. elif ast[0] == ":":
  182. return bool(re.match(ast[2], ast_sym(ast[1], env)))
  183. elif ast[0] == "dt_compat_enabled":
  184. compat = ast[1][0]
  185. for node in edt.nodes:
  186. if compat in node.compats and node.status == "okay":
  187. return True
  188. return False
  189. elif ast[0] == "dt_alias_exists":
  190. alias = ast[1][0]
  191. for node in edt.nodes:
  192. if alias in node.aliases and node.status == "okay":
  193. return True
  194. return False
  195. elif ast[0] == "dt_enabled_alias_with_parent_compat":
  196. # Checks if the DT has an enabled alias node whose parent has
  197. # a given compatible. For matching things like gpio-leds child
  198. # nodes, which do not have compatibles themselves.
  199. #
  200. # The legacy "dt_compat_enabled_with_alias" form is still
  201. # accepted but is now deprecated and causes a warning. This is
  202. # meant to give downstream users some time to notice and
  203. # adjust. Its argument order only made sense under the (bad)
  204. # assumption that the gpio-leds child node has the same compatible
  205. alias = ast[1][0]
  206. compat = ast[1][1]
  207. return ast_handle_dt_enabled_alias_with_parent_compat(edt, alias,
  208. compat)
  209. elif ast[0] == "dt_compat_enabled_with_alias":
  210. compat = ast[1][0]
  211. alias = ast[1][1]
  212. _logger.warning('dt_compat_enabled_with_alias("%s", "%s"): '
  213. 'this is deprecated, use '
  214. 'dt_enabled_alias_with_parent_compat("%s", "%s") '
  215. 'instead',
  216. compat, alias, alias, compat)
  217. return ast_handle_dt_enabled_alias_with_parent_compat(edt, alias,
  218. compat)
  219. elif ast[0] == "dt_label_with_parent_compat_enabled":
  220. compat = ast[1][1]
  221. label = ast[1][0]
  222. node = edt.label2node.get(label)
  223. if node is not None:
  224. parent = node.parent
  225. else:
  226. return False
  227. return parent is not None and parent.status == 'okay' and parent.matching_compat == compat
  228. elif ast[0] == "dt_chosen_enabled":
  229. chosen = ast[1][0]
  230. node = edt.chosen_node(chosen)
  231. if node and node.status == "okay":
  232. return True
  233. return False
  234. elif ast[0] == "dt_nodelabel_enabled":
  235. label = ast[1][0]
  236. node = edt.label2node.get(label)
  237. if node and node.status == "okay":
  238. return True
  239. return False
  240. def ast_handle_dt_enabled_alias_with_parent_compat(edt, alias, compat):
  241. # Helper shared with the now deprecated
  242. # dt_compat_enabled_with_alias version.
  243. for node in edt.nodes:
  244. parent = node.parent
  245. if parent is None:
  246. continue
  247. if (node.status == "okay" and alias in node.aliases and
  248. parent.matching_compat == compat):
  249. return True
  250. return False
  251. mutex = threading.Lock()
  252. def parse(expr_text, env, edt):
  253. """Given a text representation of an expression in our language,
  254. use the provided environment to determine whether the expression
  255. is true or false"""
  256. # Like it's C counterpart, state machine is not thread-safe
  257. mutex.acquire()
  258. try:
  259. ast = parser.parse(expr_text)
  260. finally:
  261. mutex.release()
  262. return ast_expr(ast, env, edt)
  263. # Just some test code
  264. if __name__ == "__main__":
  265. local_env = {
  266. "A" : "1",
  267. "C" : "foo",
  268. "D" : "20",
  269. "E" : 0x100,
  270. "F" : "baz"
  271. }
  272. for line in open(sys.argv[1]).readlines():
  273. lex.input(line)
  274. for tok in iter(lex.token, None):
  275. print(tok.type, tok.value)
  276. parser = yacc.yacc()
  277. print(parser.parse(line))
  278. print(parse(line, local_env, None))