jaclang 0.8.4__py3-none-any.whl → 0.8.5__py3-none-any.whl

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.

Potentially problematic release.


This version of jaclang might be problematic. Click here for more details.

Files changed (53) hide show
  1. jaclang/cli/cli.py +74 -22
  2. jaclang/compiler/jac.lark +3 -3
  3. jaclang/compiler/larkparse/jac_parser.py +2 -2
  4. jaclang/compiler/parser.py +14 -21
  5. jaclang/compiler/passes/main/__init__.py +3 -1
  6. jaclang/compiler/passes/main/binder_pass.py +594 -0
  7. jaclang/compiler/passes/main/import_pass.py +8 -256
  8. jaclang/compiler/passes/main/inheritance_pass.py +2 -2
  9. jaclang/compiler/passes/main/pyast_gen_pass.py +35 -69
  10. jaclang/compiler/passes/main/pyast_load_pass.py +24 -13
  11. jaclang/compiler/passes/main/sem_def_match_pass.py +1 -1
  12. jaclang/compiler/passes/main/tests/fixtures/M1.jac +3 -0
  13. jaclang/compiler/passes/main/tests/fixtures/sym_binder.jac +47 -0
  14. jaclang/compiler/passes/main/tests/test_binder_pass.py +111 -0
  15. jaclang/compiler/passes/main/tests/test_pyast_gen_pass.py +13 -13
  16. jaclang/compiler/passes/main/tests/test_sem_def_match_pass.py +6 -6
  17. jaclang/compiler/passes/tool/doc_ir_gen_pass.py +2 -0
  18. jaclang/compiler/passes/tool/tests/fixtures/simple_walk_fmt.jac +6 -0
  19. jaclang/compiler/program.py +15 -8
  20. jaclang/compiler/tests/test_sr_errors.py +32 -0
  21. jaclang/compiler/unitree.py +21 -15
  22. jaclang/langserve/engine.jac +23 -4
  23. jaclang/langserve/tests/test_server.py +13 -0
  24. jaclang/runtimelib/importer.py +33 -62
  25. jaclang/runtimelib/utils.py +29 -0
  26. jaclang/tests/fixtures/pyfunc_fmt.py +60 -0
  27. jaclang/tests/fixtures/pyfunc_fstr.py +25 -0
  28. jaclang/tests/fixtures/pyfunc_kwesc.py +33 -0
  29. jaclang/tests/fixtures/python_run_test.py +19 -0
  30. jaclang/tests/test_cli.py +67 -0
  31. jaclang/tests/test_language.py +96 -1
  32. jaclang/utils/lang_tools.py +3 -3
  33. jaclang/utils/module_resolver.py +90 -0
  34. jaclang/utils/symtable_test_helpers.py +125 -0
  35. jaclang/utils/test.py +3 -4
  36. jaclang/vendor/interegular/__init__.py +34 -0
  37. jaclang/vendor/interegular/comparator.py +163 -0
  38. jaclang/vendor/interegular/fsm.py +1015 -0
  39. jaclang/vendor/interegular/patterns.py +732 -0
  40. jaclang/vendor/interegular/py.typed +0 -0
  41. jaclang/vendor/interegular/utils/__init__.py +15 -0
  42. jaclang/vendor/interegular/utils/simple_parser.py +165 -0
  43. jaclang/vendor/interegular-0.3.3.dist-info/INSTALLER +1 -0
  44. jaclang/vendor/interegular-0.3.3.dist-info/LICENSE.txt +21 -0
  45. jaclang/vendor/interegular-0.3.3.dist-info/METADATA +64 -0
  46. jaclang/vendor/interegular-0.3.3.dist-info/RECORD +20 -0
  47. jaclang/vendor/interegular-0.3.3.dist-info/REQUESTED +0 -0
  48. jaclang/vendor/interegular-0.3.3.dist-info/WHEEL +5 -0
  49. jaclang/vendor/interegular-0.3.3.dist-info/top_level.txt +1 -0
  50. {jaclang-0.8.4.dist-info → jaclang-0.8.5.dist-info}/METADATA +1 -1
  51. {jaclang-0.8.4.dist-info → jaclang-0.8.5.dist-info}/RECORD +53 -29
  52. {jaclang-0.8.4.dist-info → jaclang-0.8.5.dist-info}/WHEEL +0 -0
  53. {jaclang-0.8.4.dist-info → jaclang-0.8.5.dist-info}/entry_points.txt +0 -0
File without changes
@@ -0,0 +1,15 @@
1
+ import logging
2
+ from typing import Iterable
3
+
4
+ logger = logging.getLogger('interegular')
5
+ logger.addHandler(logging.StreamHandler())
6
+ logger.setLevel(logging.CRITICAL)
7
+
8
+
9
+ def soft_repr(s: str):
10
+ """
11
+ joins together the repr of each char in the string, while throwing away the repr
12
+ This for example turns `"'\""` into `'"` instead of `\'"` like the normal repr
13
+ would do.
14
+ """
15
+ return ''.join(repr(c)[1:-1] for c in str(s))
@@ -0,0 +1,165 @@
1
+ """
2
+ A small util to simplify the creation of Parsers for simple context-free-grammars.
3
+
4
+ """
5
+
6
+ from abc import ABC, abstractmethod
7
+ from collections import defaultdict
8
+ from functools import wraps
9
+ from types import FunctionType, MethodType
10
+ from typing import Generic, TypeVar, Optional, List
11
+
12
+ __all__ = ['nomatch', 'NoMatch', 'SimpleParser']
13
+
14
+
15
+ class nomatch(BaseException):
16
+ def __init__(self):
17
+ pass
18
+
19
+
20
+ class NoMatch(ValueError):
21
+ def __init__(self, data: str, index: int, expected: List[str]):
22
+ self.data = data
23
+ self.index = index
24
+ self.expected = expected
25
+ super(NoMatch, self).__init__(f"Can not match at index {index}. Got {data[index:index + 5]!r},"
26
+ f" expected any of {expected}.\n"
27
+ f"Context(data[-10:+10]): {data[index - 10: index + 10]!r}")
28
+
29
+
30
+ T = TypeVar('T')
31
+
32
+
33
+ def _wrap_reset(m):
34
+ @wraps(m)
35
+ def w(self, *args, **kwargs):
36
+ p = self.index
37
+ try:
38
+ return m(self, *args, **kwargs)
39
+ except nomatch:
40
+ self.index = p
41
+ raise
42
+
43
+ return w
44
+
45
+
46
+ class SimpleParser(Generic[T], ABC):
47
+ def __init__(self, data: str):
48
+ self.data = data
49
+ self.index = 0
50
+ self._expected = defaultdict(list)
51
+
52
+ def __init_subclass__(cls, **kwargs):
53
+ for n, v in cls.__dict__.items():
54
+ if isinstance(v, FunctionType) and not n.startswith('_'):
55
+ setattr(cls, n, _wrap_reset(v))
56
+
57
+ def parse(self) -> T:
58
+ try:
59
+ result = self.start()
60
+ except nomatch:
61
+ raise NoMatch(self.data, max(self._expected), self._expected[max(self._expected)]) from None
62
+ if self.index < len(self.data):
63
+ raise NoMatch(self.data, max(self._expected), self._expected[max(self._expected)])
64
+ return result
65
+
66
+ @abstractmethod
67
+ def start(self) -> T:
68
+ raise NotImplementedError
69
+
70
+ def peek_static(self, expected: str) -> bool:
71
+ l = len(expected)
72
+ if self.data[self.index:self.index + l] == expected:
73
+ return True
74
+ else:
75
+ self._expected[self.index].append(expected)
76
+ return False
77
+
78
+ def static(self, expected: str):
79
+ length = len(expected)
80
+ if self.data[self.index:self.index + length] == expected:
81
+ self.index += length
82
+ else:
83
+ self._expected[self.index].append(expected)
84
+ raise nomatch
85
+
86
+ def static_b(self, expected: str) -> bool:
87
+ l = len(expected)
88
+ if self.data[self.index:self.index + l] == expected:
89
+ self.index += l
90
+ return True
91
+ else:
92
+ self._expected[self.index].append(expected)
93
+ return False
94
+
95
+ def anyof(self, *strings: str) -> str:
96
+ for s in strings:
97
+ if self.static_b(s):
98
+ return s
99
+ else:
100
+ raise nomatch
101
+
102
+ def anyof_b(self, *strings: str) -> bool:
103
+ for s in strings:
104
+ if self.static_b(s):
105
+ return True
106
+ else:
107
+ return False
108
+
109
+ def any(self, length: int = 1) -> str:
110
+ if self.index + length <= len(self.data):
111
+ res = self.data[self.index:self.index + length]
112
+ self.index += length
113
+ return res
114
+ else:
115
+ self._expected[self.index].append(f"<Any {length}>")
116
+ raise nomatch
117
+
118
+ def any_but(self, *strings, length: int = 1) -> str:
119
+ if self.index + length <= len(self.data):
120
+ res = self.data[self.index:self.index + length]
121
+ if res not in strings:
122
+ self.index += length
123
+ return res
124
+ else:
125
+ self._expected[self.index].append(f"<Any {length} except {strings}>")
126
+ raise nomatch
127
+ else:
128
+ self._expected[self.index].append(f"<Any {length} except {strings}>")
129
+ raise nomatch
130
+
131
+ def multiple(self, chars: str, mi: int, ma: Optional[int]) -> str:
132
+ result = []
133
+ try:
134
+ for off in range(mi):
135
+ if self.data[self.index + off] in chars:
136
+ result.append(self.data[self.index + off])
137
+ else:
138
+ self._expected[self.index + off].extend(chars)
139
+ raise nomatch
140
+ except IndexError:
141
+ raise nomatch
142
+ self.index += mi
143
+ if ma is None:
144
+ try:
145
+ while True:
146
+ if self.data[self.index] in chars:
147
+ result.append(self.data[self.index])
148
+ self.index += 1
149
+ else:
150
+ self._expected[self.index].extend(chars)
151
+ break
152
+ except IndexError:
153
+ pass
154
+ else:
155
+ try:
156
+ for _ in range(ma - mi):
157
+ if self.data[self.index] in chars:
158
+ result.append(self.data[self.index])
159
+ self.index += 1
160
+ else:
161
+ self._expected[self.index].extend(chars)
162
+ break
163
+ except IndexError:
164
+ pass
165
+ return ''.join(result)
@@ -0,0 +1,21 @@
1
+ MIT License
2
+
3
+ Copyright (c) 2019 @MegaIng and @qntm
4
+
5
+ Permission is hereby granted, free of charge, to any person obtaining a copy
6
+ of this software and associated documentation files (the "Software"), to deal
7
+ in the Software without restriction, including without limitation the rights
8
+ to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
9
+ copies of the Software, and to permit persons to whom the Software is
10
+ furnished to do so, subject to the following conditions:
11
+
12
+ The above copyright notice and this permission notice shall be included in all
13
+ copies or substantial portions of the Software.
14
+
15
+ THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
16
+ IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
17
+ FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
18
+ AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
19
+ LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
20
+ OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
21
+ SOFTWARE.
@@ -0,0 +1,64 @@
1
+ Metadata-Version: 2.1
2
+ Name: interegular
3
+ Version: 0.3.3
4
+ Summary: a regex intersection checker
5
+ Home-page: https://github.com/MegaIng/regex_intersections
6
+ Download-URL: https://github.com/MegaIng/interegular/tarball/master
7
+ Author: MegaIng
8
+ Author-email: MegaIng <trampchamp@hotmail.de>
9
+ License: MIT
10
+ Classifier: Operating System :: OS Independent
11
+ Classifier: License :: OSI Approved :: MIT License
12
+ Classifier: Programming Language :: Python :: 3 :: Only
13
+ Classifier: Programming Language :: Python :: 3.8
14
+ Classifier: Programming Language :: Python :: 3.9
15
+ Classifier: Programming Language :: Python :: 3.10
16
+ Classifier: Programming Language :: Python :: 3.11
17
+ Classifier: Programming Language :: Python :: 3.12
18
+ Requires-Python: >=3.7
19
+ Description-Content-Type: text/markdown
20
+ License-File: LICENSE.txt
21
+
22
+ # Interegular
23
+ ***regex intersection checker***
24
+
25
+ A library to check a subset of python regexes for intersections.
26
+ Based on [grennery](https://github.com/qntm/greenery) by [@qntm](https://github.com/qntm). Adapted for [lark-parser](https://github.com/lark-parser/lark).
27
+
28
+ The primary difference with `grennery` library is that `interegular` is focused on speed and compatibility with python re syntax, whereas grennery has a way to reconstruct a regex from a FSM, which `interegular` lacks.
29
+
30
+
31
+ ## Interface
32
+
33
+ | Function | Usage |
34
+ | -------- | ----- |
35
+ | `compare_regexes(*regexes: str)` | Takes a series of regexes as strings and returns a Generator of all intersections as `(str, str)`|
36
+ | `parse_pattern(regex: str)` | Parses a regex as string to a `Pattern` object|
37
+ | `interegular.compare_patterns(*patterns: Pattern)` | Takes a series of regexes as patterns and returns a Generator of all intersections as `(Pattern, Pattern)`|
38
+ | `Pattern` | A class representing a parsed regex (intermediate representation)|
39
+ | `REFlags` | A enum representing the flags a regex can have |
40
+ | `FSM` | A class representing a fully parsed regex. (Has many useful members) |
41
+ | `Pattern.with_flags(added: REFlags, removed: REFlags)` | A function to change the flags that are applied to a regex|
42
+ | `Pattern.to_fsm() -> FSM` | A function to create a `FSM` object from the Pattern |
43
+ | `Comparator` | A Class to compare a group of Patterns |
44
+
45
+ ## What is supported?
46
+
47
+ Most normal python-regex syntax is support. But because of the backend that is used (final-state-machines), some things can not be implemented. This includes:
48
+
49
+ - Backwards references (`\1`, `(?P=open)`)
50
+ - Conditional Matching (`(?(1)a|b)`)
51
+ - Some cases of lookaheads/lookbacks (You gotta try out which work and which don't)
52
+ - A word of warning: This is currently not correctly handled, and some things might parse, but not work correctly. I am currently working on this.
53
+
54
+
55
+ Some things are simply not implemented and will implemented in the future:
56
+ - Some flags (Progress: `ims` from `aiLmsux`)
57
+ - Some cases of lookaheads/lookbacks (You gotta try out which work and which don't)
58
+
59
+
60
+ ## TODO
61
+
62
+ - Docs
63
+ - More tests
64
+ - Checks that the syntax is correctly handled.
@@ -0,0 +1,20 @@
1
+ interegular-0.3.3.dist-info/INSTALLER,sha256=zuuue4knoyJ-UwPPXg8fezS7VCrXJQrAP7zeNuwvFQg,4
2
+ interegular-0.3.3.dist-info/LICENSE.txt,sha256=iiMYmhB0ePopJBii4LG4vS_mBhfBzmMlwhlPbZHyeyk,1096
3
+ interegular-0.3.3.dist-info/METADATA,sha256=x1mGaPlws3xtIWEswqvJJTFWv4tcOQVSR5PtmvMJrLM,3049
4
+ interegular-0.3.3.dist-info/RECORD,,
5
+ interegular-0.3.3.dist-info/REQUESTED,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
6
+ interegular-0.3.3.dist-info/WHEEL,sha256=9FUYUSCt5io1tVBOVa-3S0zjcMzGO1nOIw99iWozm3o,93
7
+ interegular-0.3.3.dist-info/top_level.txt,sha256=A98LQ5TOfM4ZxEotuKyytmx17Y3u_ujlxjsOZTa-AhQ,12
8
+ interegular/__init__.py,sha256=TmnSMLjCnSxwJYL9yNW-65qaZuhwuCjfrR20eXrq3pQ,1128
9
+ interegular/__pycache__/__init__.cpython-312.pyc,,
10
+ interegular/__pycache__/comparator.cpython-312.pyc,,
11
+ interegular/__pycache__/fsm.cpython-312.pyc,,
12
+ interegular/__pycache__/patterns.cpython-312.pyc,,
13
+ interegular/comparator.py,sha256=tXm7f6n4GPbZrl69svAR_n-Jewwwe1JnjZNm1tr1HHw,7198
14
+ interegular/fsm.py,sha256=CD-cZq6pB3fpCcczbG5-_4sUbIyd-a62xmMKysgBQaw,39130
15
+ interegular/patterns.py,sha256=vf1-bkjNicV9ktlFujBg95rPp95DAypFDeWqPeamXRY,25902
16
+ interegular/py.typed,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
17
+ interegular/utils/__init__.py,sha256=co6xcnq7CgWZ6SLP305ToStLskyr3R3NxYUfiOq37eQ,451
18
+ interegular/utils/__pycache__/__init__.cpython-312.pyc,,
19
+ interegular/utils/__pycache__/simple_parser.cpython-312.pyc,,
20
+ interegular/utils/simple_parser.py,sha256=G-CRsKKmekN5I9FI8g37bl1av9aESFoyJTmKCOIHuzQ,5361
File without changes
@@ -0,0 +1,5 @@
1
+ Wheel-Version: 1.0
2
+ Generator: bdist_wheel (0.42.0)
3
+ Root-Is-Purelib: true
4
+ Tag: py37-none-any
5
+
@@ -0,0 +1 @@
1
+ interegular
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.3
2
2
  Name: jaclang
3
- Version: 0.8.4
3
+ Version: 0.8.5
4
4
  Summary: Jac is a unique and powerful programming language that runs on top of Python, offering an unprecedented level of intelligence and intuitive understanding.
5
5
  License: MIT
6
6
  Keywords: jac,jaclang,jaseci,python,programming-language,machine-learning,artificial-intelligence
@@ -2,31 +2,33 @@ jaclang/__init__.py,sha256=Na5dttNt9pd93nNzi7xej7S_FAZ3_CTDZUv7tWEGw_c,490
2
2
  jaclang/cli/.gitignore,sha256=NYuons2lzuCpCdefMnztZxeSMgtPVJF6R6zSgVDOV20,27
3
3
  jaclang/cli/__init__.py,sha256=7aaPgYddIAHBvkdv36ngbfwsimMnfGaTDcaHYMg_vf4,23
4
4
  jaclang/cli/cli.md,sha256=oS1qYI3evUompKbg5KWaqeUeq10A7ULNhUHt1FyHp4E,5939
5
- jaclang/cli/cli.py,sha256=HhqQ6_c2KwroRf7i4z2ry3B7xlzsW1bytXtUZI5AUDw,19950
5
+ jaclang/cli/cli.py,sha256=jx4bC4nXFGsS3Icxm7JSW6qxBSiIq6B36xqb_T6IJA0,21950
6
6
  jaclang/cli/cmdreg.py,sha256=EcFsN2Ll9cJdnBOWwO_R1frp0zP8KBKVfATfYsuWmLQ,14392
7
7
  jaclang/compiler/__init__.py,sha256=6huVTxA1YAjWViq_7vrbKNYi_Q9DMTMkmURlaetyooA,2526
8
8
  jaclang/compiler/codeinfo.py,sha256=ZOSAp1m3dBA8UF-YUz6H6l3wDs1EcuY4xWp13XmgHCo,2332
9
9
  jaclang/compiler/constant.py,sha256=tE92AuqJkP6pwHD0zyL3N1gzmz4K-Xtl74Gad719jMk,8192
10
- jaclang/compiler/jac.lark,sha256=zJV_1gk6gzuWGWQCfb4Y8S6xn8pGYdrPmNkBSWWJXuA,18322
10
+ jaclang/compiler/jac.lark,sha256=EvWXizKcRsVQcVY8emy1X83Dj4xWCucz5j9WoFH7qYM,18310
11
11
  jaclang/compiler/larkparse/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
12
- jaclang/compiler/larkparse/jac_parser.py,sha256=1cmtiP0c7jvG7nclntKfu9vdTnUtGh9lTqNPnP4oWsE,319874
13
- jaclang/compiler/parser.py,sha256=vGPohFFyqijwU_tNjtfwqUjjsmQPHTr39GeDGTKoXyA,106421
12
+ jaclang/compiler/larkparse/jac_parser.py,sha256=Drcj6BXsuUm9VzwcCuC6xe9KFVKPVlSsMfwSQtBQTJY,309222
13
+ jaclang/compiler/parser.py,sha256=a9CDYGKzz1hNWXSaojaTebWFjp41Mi87IuwZ2rr-7g8,106012
14
14
  jaclang/compiler/passes/__init__.py,sha256=gQjeT9UTNAHTgOvRX9zeY20jC22cZVl2HhKuUKZo66M,100
15
- jaclang/compiler/passes/main/__init__.py,sha256=9qMiQaoaywqozxVr3qgefud2M9SuF_zZn50ldzOcpdM,1271
15
+ jaclang/compiler/passes/main/__init__.py,sha256=RDVO2kc_qUVYWO6E5nSIWARxJ7T65i2AJVNKuZy-b6o,1321
16
16
  jaclang/compiler/passes/main/annex_pass.py,sha256=EcMmXTMg8H3VoOCkxHUnCSWzJJykE1U_5YRuKF1VpYw,3082
17
+ jaclang/compiler/passes/main/binder_pass.py,sha256=jSMpIGDYvb2AVp8qgvE6YTHbIwfwjD5oZxxXQ5ZDn_c,22000
17
18
  jaclang/compiler/passes/main/cfg_build_pass.py,sha256=3pms5O00l17pt3Za6EqT9pTM_uX2gZlISC8HbhvEmAc,12349
18
19
  jaclang/compiler/passes/main/def_impl_match_pass.py,sha256=AYhqi5ZFzUQyrJVFAPa9H8Bf0FZj4wZau16pTpMBib4,10143
19
20
  jaclang/compiler/passes/main/def_use_pass.py,sha256=y35cYo0bmVUUNZNnabvCZ9OqGwZTBPpRjlWV3GTH7VY,4888
20
- jaclang/compiler/passes/main/import_pass.py,sha256=gloHpNqgF-VzL_h50rAn06Rr9fJS3tpFIhGpE3yOQ0A,15019
21
- jaclang/compiler/passes/main/inheritance_pass.py,sha256=8N3wfTa4Udvfl7WLjauvHNJSPNuxH7NO2SEvS6Z5Vvs,5141
22
- jaclang/compiler/passes/main/pyast_gen_pass.py,sha256=kEywdD9En2oGOaXJiKiuRbYAFf19PVv6YcSyFyAdCEg,110032
23
- jaclang/compiler/passes/main/pyast_load_pass.py,sha256=NStceHzp0PBkqZKpFDB1ja5OASuyost3iyY2chzVNX4,85203
21
+ jaclang/compiler/passes/main/import_pass.py,sha256=nMoFbNIFzZ2sThnvapVvw6IZtoxeycuK7XaDx5AB3Uk,4696
22
+ jaclang/compiler/passes/main/inheritance_pass.py,sha256=qSdEbWOWYGWhuyz2YrRZ1gEjHjY7JHpxzFjv90gaB_Q,5139
23
+ jaclang/compiler/passes/main/pyast_gen_pass.py,sha256=3bgIcBnLwXy8Ycc_2fNZ4SGJOOtH3j1_543ZKNCSI98,108974
24
+ jaclang/compiler/passes/main/pyast_load_pass.py,sha256=ZlHmGARmJwHm1FCKng2wu7lmcECjxecV_LoiY8t9ANY,85617
24
25
  jaclang/compiler/passes/main/pybc_gen_pass.py,sha256=KUQ31396CBb_ib85rYL_QhvHY75ZxyJm8qSps8KYSyE,1876
25
26
  jaclang/compiler/passes/main/pyjac_ast_link_pass.py,sha256=_4l6CLZ_UHDSD0aJyyGesAvY0BSgWtc4F7Deikqgbko,5584
26
- jaclang/compiler/passes/main/sem_def_match_pass.py,sha256=k6oQFm_iPM3PeeqlOpmkkfqCtiR_jEniJ9alNWpkQuM,2756
27
+ jaclang/compiler/passes/main/sem_def_match_pass.py,sha256=txRK3RAtleQsR9sEVIxaWLqy_pTPJEhW3eE2wYKRBSc,2755
27
28
  jaclang/compiler/passes/main/sym_tab_build_pass.py,sha256=GzggkM2HuGYCgLeDlgsqPIBKumGY_baVL_rh4KgLtxg,7806
28
29
  jaclang/compiler/passes/main/sym_tab_link_pass.py,sha256=2sqSmgxFd4YQZT4CiPxcfRi4Nrlv-ETP82_tSnYuFGA,5497
29
30
  jaclang/compiler/passes/main/tests/__init__.py,sha256=RgheAgh-SqGTa-4kBOY-V-oz8bzMmDWxavFqwlYjfgE,36
31
+ jaclang/compiler/passes/main/tests/fixtures/M1.jac,sha256=9nAwZ9zKuIWEsr9rne9zC2T1lssqiE6oTp8Ubt423LI,14
30
32
  jaclang/compiler/passes/main/tests/fixtures/access_checker.jac,sha256=UVoY7sYW-R0ms2HDA4HXQ5xJNiW0vEbY2T5CCY1avus,281
31
33
  jaclang/compiler/passes/main/tests/fixtures/access_modifier.jac,sha256=e-qZ2m3YSYIwjpIVxh1xYhB4p9uJkx6k6eo60JijXxk,2603
32
34
  jaclang/compiler/passes/main/tests/fixtures/atest.impl.jac,sha256=9l8MjP21UZLZHE-ZD3dUmfUbz599qHokoNcgpmAV4VU,44
@@ -76,26 +78,28 @@ jaclang/compiler/passes/main/tests/fixtures/pygame_mock/display.py,sha256=uzQZvy
76
78
  jaclang/compiler/passes/main/tests/fixtures/sem_def_match.impl.jac,sha256=RmAD6aW9BGeTlmSihyoZTk5JJCgOKSePiQVazY8cqtM,476
77
79
  jaclang/compiler/passes/main/tests/fixtures/sem_def_match.jac,sha256=zQ4zrSxhvYno7YZmdbs1m3edrkrs7fiF6T8RDN4xkYs,410
78
80
  jaclang/compiler/passes/main/tests/fixtures/str2doc.py,sha256=NYewMLGAYR8lrC5NxSNU_P0rNPhWSaiVIcvqg6jtQ54,73
81
+ jaclang/compiler/passes/main/tests/fixtures/sym_binder.jac,sha256=agTy4xb_LCRbDMQkDh1KKxuNpVq66OG6AWS9xIe1nrs,696
79
82
  jaclang/compiler/passes/main/tests/fixtures/symtab_link_tests/action/__init__.py,sha256=q4Y-kZibGbSLBnW8U_4j_5z_J2tevzBwhcw5EureENU,97
80
83
  jaclang/compiler/passes/main/tests/fixtures/symtab_link_tests/action/actions.jac,sha256=cDHCNudzrjSL0oXMd2uSFj5tpskAhzWKhZy0NZkVR58,283
81
84
  jaclang/compiler/passes/main/tests/fixtures/symtab_link_tests/main.jac,sha256=9Uvu2DJ53-I22OLQF17xFTNSdRRDtkuC7-11VGxXqJM,169
82
85
  jaclang/compiler/passes/main/tests/fixtures/symtab_link_tests/no_dupls.jac,sha256=bXE1tnguEn8Q_y0CaTtravEsfxNV-859-xwlP7oALsY,558
83
86
  jaclang/compiler/passes/main/tests/fixtures/symtab_link_tests/one.jac,sha256=-5H-mXHNunDU9mk8A3olO3xEIxe5MIWh5JIBT7X47Cw,41
84
87
  jaclang/compiler/passes/main/tests/fixtures/type_info.jac,sha256=Gbatf5_V_2uFVF0l8ICbW8t7N7FKCL-1sE9CbEogT4A,660
88
+ jaclang/compiler/passes/main/tests/test_binder_pass.py,sha256=0IQPqIW_bwXgMBTIlnBG16wB3W6ExPYC5Z7kU7VzhZ8,3661
85
89
  jaclang/compiler/passes/main/tests/test_cfg_build_pass.py,sha256=MJzC3Fv70wpPsm7I3WjhpKvzmX_F880TnrY1KOyG6oY,3143
86
90
  jaclang/compiler/passes/main/tests/test_decl_impl_match_pass.py,sha256=HCu5KO1N7kVonIM2N1A9BGRpfnJ4VDwR8TXJGTuKn3M,6039
87
91
  jaclang/compiler/passes/main/tests/test_def_use_pass.py,sha256=CzIcSoUe_wk8gNW6NwF0w_MW9y-13VBLjHZKGYQ4aaE,771
88
92
  jaclang/compiler/passes/main/tests/test_import_pass.py,sha256=2FNsF6Z4zRUsxWOOcbH4fFyvc48FCAP_Yq8qpne04-U,4985
89
93
  jaclang/compiler/passes/main/tests/test_pyast_build_pass.py,sha256=MIn0rGJ_fdyH-g1mtTNopwng9SQNSzGta5kiEXB4Ffg,1973
90
- jaclang/compiler/passes/main/tests/test_pyast_gen_pass.py,sha256=T2-Q0mRhucMWjI6DOAnM-tKn9b5t59ZtzPHSLM7U9ZM,9726
94
+ jaclang/compiler/passes/main/tests/test_pyast_gen_pass.py,sha256=8pBn0zReQtzQfwbu-LYI_ASahznjHzeSE4tX3XiBleY,9713
91
95
  jaclang/compiler/passes/main/tests/test_pybc_gen_pass.py,sha256=x92ZvO3vAehSlZojzTE6H4_Sc-mB2tK3gG-dZTWxqFQ,650
92
- jaclang/compiler/passes/main/tests/test_sem_def_match_pass.py,sha256=-4m_fmLZC6l5Jk4STNB7pXS9qw21CUFulhM4PXlyuYE,2262
96
+ jaclang/compiler/passes/main/tests/test_sem_def_match_pass.py,sha256=WorjEiU9GdEHZaNBCTJolIqR-72dgcVxg6x8aEDiixQ,2256
93
97
  jaclang/compiler/passes/main/tests/test_sub_node_pass.py,sha256=zO2PNo5DgtD1Qud8rTEdr-gLUVcMUXpQCBY-8-nj684,771
94
98
  jaclang/compiler/passes/main/tests/test_sym_tab_build_pass.py,sha256=7gtUU9vV3q5x2vFt_oHyrq9Q4q538rWcO8911NFtmK4,701
95
99
  jaclang/compiler/passes/main/tests/test_sym_tab_link_pass.py,sha256=N7eNPyIEwiM_1yECaErncmRXTidp89fFRFGFTd_AgIo,1894
96
100
  jaclang/compiler/passes/tool/__init__.py,sha256=8M5dq_jq2TC4FCx4Aqr0-Djzf2i_w_1HtYSMLZ0CXNY,299
97
101
  jaclang/compiler/passes/tool/doc_ir.py,sha256=okuoESF1qLbd3OHQxcfzHs35c6eilcIBp2sWNGg1m5w,5978
98
- jaclang/compiler/passes/tool/doc_ir_gen_pass.py,sha256=W-fQ6xBHQdsBkVHVx4cV2aVwsl_lnfCfj-Wl4UlrptM,59995
102
+ jaclang/compiler/passes/tool/doc_ir_gen_pass.py,sha256=6u8JnRfcnEp9s2_Rmt23IgGKwZsqiGvJsNrz0xGk-gw,60111
99
103
  jaclang/compiler/passes/tool/fuse_comments_pass.py,sha256=GO-8ISvsD9L98ujeMsT5r_drpmnltRX5MWZCNKOFpGc,4530
100
104
  jaclang/compiler/passes/tool/jac_formatter_pass.py,sha256=9Bk5_jHMKNPNhTsEKpWu40Q7ZL2jfdEYuMbriA1RCU4,6138
101
105
  jaclang/compiler/passes/tool/tests/__init__.py,sha256=AeOaZjA1rf6VAr0JqIit6jlcmOzW7pxGr4U1fOwgK_Y,24
@@ -131,7 +135,7 @@ jaclang/compiler/passes/tool/tests/fixtures/myca_formatted_code/walker_decl_only
131
135
  jaclang/compiler/passes/tool/tests/fixtures/myca_formatted_code/walker_with_default_values_types_and_docstrings.jac,sha256=C2bDdhIhkki0BTkIpGMi0_lD0_5KQfjJl_I-RSFIJys,382
132
136
  jaclang/compiler/passes/tool/tests/fixtures/myca_formatted_code/walker_with_inline_ability_impl.jac,sha256=5AOxX4G7i3nYVQUryeuVVfe46gjzWimmW8ExNdBR9Bg,195
133
137
  jaclang/compiler/passes/tool/tests/fixtures/simple_walk.jac,sha256=5g_oneTxvkcV73xml4zSzvXZviLLyXXUplGvuiBZTH8,806
134
- jaclang/compiler/passes/tool/tests/fixtures/simple_walk_fmt.jac,sha256=xHVLZgbuKsPmMAZOw-lPVqffWKXLOXkuAR1wzXn4l40,835
138
+ jaclang/compiler/passes/tool/tests/fixtures/simple_walk_fmt.jac,sha256=6gAWxgXgwPsfkzUfrzWf8a4p4hNZosclAQJbzYsWY_w,951
135
139
  jaclang/compiler/passes/tool/tests/fixtures/tagbreak.jac,sha256=nDcmmkKxb3QhjHmF9lKwcLNiQysVgMkBvauZ2gqN1rE,497
136
140
  jaclang/compiler/passes/tool/tests/test_fuse_comments_pass.py,sha256=ZeWHsm7VIyyS8KKpoB2SdlHM4jF22fMfSrfTfxt2MQw,398
137
141
  jaclang/compiler/passes/tool/tests/test_jac_format_pass.py,sha256=CXn42HkopQVMSWtK3a5zX0cFP8kAlX5_Ut-Tg4bjxNE,6589
@@ -139,7 +143,7 @@ jaclang/compiler/passes/tool/tests/test_unparse_validate.py,sha256=fYlz31RQQUwmg
139
143
  jaclang/compiler/passes/transform.py,sha256=haZ6zcxT5VJrYVFcQqe8vKPB5wzHhqHW438erTmYxJ0,4544
140
144
  jaclang/compiler/passes/uni_pass.py,sha256=Y1Y3TTrulqlpIGQUCZhBGkHVCvMg-AXfzCjV8dfGQm0,4841
141
145
  jaclang/compiler/passes/utils/__init__.py,sha256=UsI5rUopTUiStAzup4kbPwIwrnC5ofCrqWBCBbM2-k4,35
142
- jaclang/compiler/program.py,sha256=csD-_A4N6oXVrfvddt9sj5hbkMH8N6ZtaMnpwqkqIG0,5589
146
+ jaclang/compiler/program.py,sha256=IXya2Jr4RLKbv_uW5KV-faslkzeLO8LBmrqdcE5ikB8,5948
143
147
  jaclang/compiler/tests/__init__.py,sha256=qiXa5UNRBanGOcplFKTT9a_9GEyiv7goq1OzuCjDCFE,27
144
148
  jaclang/compiler/tests/fixtures/__init__.py,sha256=udQ0T6rajpW_nMiYKJNckqP8izZ-pH3P4PNTJEln2NU,36
145
149
  jaclang/compiler/tests/fixtures/activity.py,sha256=fSvxYDKufsPeQIrbuh031zHw_hdbRv5iK9mS7dD8E54,263
@@ -162,9 +166,10 @@ jaclang/compiler/tests/fixtures/staticcheck.jac,sha256=N44QGwRGK_rDY0uACqpkMQYRf
162
166
  jaclang/compiler/tests/fixtures/stuff.jac,sha256=qOq6WOwhlprMmJpiqQudgqnr4qTd9uhulQSDGQ3o6sY,82
163
167
  jaclang/compiler/tests/test_importer.py,sha256=BQOuHdrOL5dd0mWeXvX9Om07O9jN59KVGMghbNewfOE,4621
164
168
  jaclang/compiler/tests/test_parser.py,sha256=LeIVgyQGZmjH_dx8T6g4fOv3KWNzhtfwKn9C3WVdBCM,5888
165
- jaclang/compiler/unitree.py,sha256=JqTXYFHdyL7y0KOOkMoDpU7jOXworREaD7ZntrGC9TU,153837
169
+ jaclang/compiler/tests/test_sr_errors.py,sha256=iixRll6eP-sgBzR2Zl9Bb-Da5flb67lPaPDQb3IDn3k,1074
170
+ jaclang/compiler/unitree.py,sha256=OXOZaxmb4h5Y8M15YPPi7X1bFe6QWfLmK4CF0xRSQPg,154113
166
171
  jaclang/langserve/__init__.jac,sha256=3IEtXWjsqOgLA-LPqCwARCw0Kd8B_NeLedALxGshfAE,33
167
- jaclang/langserve/engine.jac,sha256=mmE-wjb9Ta5NYr_aRYgqHCjbvBuLvUddWjkkFVMNt8w,23744
172
+ jaclang/langserve/engine.jac,sha256=vn9IrFHJVeWG-iZ0GqnG_Z98RYGo4bIUcV9LzSdtAf4,24586
168
173
  jaclang/langserve/sem_manager.jac,sha256=Gg95nKvXz9RwUNPshgUPHlrdFI8EWzk7Hxxgvs0xwa4,13795
169
174
  jaclang/langserve/server.jac,sha256=0pBAXu4ruNLuoLIUB307k76HGrR5TRyAYg53jPsqp8U,5768
170
175
  jaclang/langserve/tests/__init__.py,sha256=iDM47k6c3vahaWhwxpbkdEOshbmX-Zl5x669VONjS2I,23
@@ -192,14 +197,14 @@ jaclang/langserve/tests/server_test/test_lang_serve.py,sha256=GuhtBsiq6Ma9_fmVfQ
192
197
  jaclang/langserve/tests/server_test/utils.py,sha256=ji0x497DmzrzxJEhMpVdnev1hMK9W9NnG4850ssNyEg,3707
193
198
  jaclang/langserve/tests/session.jac,sha256=fS-aUHWb-r5ay3R4wJuSmoeoxgAufN4srvTjMP_OhII,10658
194
199
  jaclang/langserve/tests/test_sem_tokens.py,sha256=3ew2yVQhA4PCTRC05sqcoZjb8JSB9hJQJC4TGgD8Ytk,9935
195
- jaclang/langserve/tests/test_server.py,sha256=aOZ-LwhqoyuxKdVp_cWOPVN8hViIUUxZ0GVUF29VWIA,24067
200
+ jaclang/langserve/tests/test_server.py,sha256=hc0wXKbayseuAXhpchw1XjeRH_izapje7G28HUtD98I,24668
196
201
  jaclang/langserve/utils.jac,sha256=jvxVtmfTNEYIFuFmK1hT90EwLDBUut2RQM-GTdzV3Sc,13936
197
202
  jaclang/py.typed,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
198
203
  jaclang/runtimelib/__init__.py,sha256=jDDYBCV82qPhmcDVk3NIvHbhng0ebSrXD3xrojg0-eo,34
199
204
  jaclang/runtimelib/archetype.py,sha256=xZ_BRDSRags1p4v4wqm7GGDFraF2wXm4pLpFvHkjRG4,13029
200
205
  jaclang/runtimelib/builtin.py,sha256=Gayl1surT-dWVo9gkxbbwFZ_m5g_QGrCaVAV99gxy54,3262
201
206
  jaclang/runtimelib/constructs.py,sha256=L3mv17BFwq8TOx0lwr-rA-2N_qs4cNiRQYqDX3iqzmM,760
202
- jaclang/runtimelib/importer.py,sha256=g06rMClRKgfPFkWGVP1wi5LMI6c8WOwAz5HH825e9RA,14991
207
+ jaclang/runtimelib/importer.py,sha256=yUQktqryDF8wYktYpQRnlVKZgcwAF5nTlckP3YwoQho,13479
203
208
  jaclang/runtimelib/machine.py,sha256=TShse9yaenMv-bGYYhYO5Auw9HKLnBao4MHE6ekVBto,61453
204
209
  jaclang/runtimelib/memory.py,sha256=Zii7y1bqajnvoT_ZH8yLtxuOssADriZzeL-JurJM4Wk,6697
205
210
  jaclang/runtimelib/meta_importer.py,sha256=mrofzKaawVHfIgbPHkGNt67EgfnCjadft9EUsFkE34o,3192
@@ -216,7 +221,7 @@ jaclang/runtimelib/tests/fixtures/simple_persistent.jac,sha256=k75eUY8JUtzBcPz_y
216
221
  jaclang/runtimelib/tests/fixtures/traversing_save.jac,sha256=DdLAKAmnbRbnHXeQnM57h4W6nKN1t657O_4USoeESik,267
217
222
  jaclang/runtimelib/tests/test_features.py,sha256=Tba4DkgVhzmbNsiVvcipMrdxO_vNmfdTDRpD--EWJM4,2511
218
223
  jaclang/runtimelib/tests/test_jaseci.py,sha256=SwCh2vWPysVkpv1r1jOl7LGJXz7QCJA4xqfd7o1zXA4,34746
219
- jaclang/runtimelib/utils.py,sha256=YYdXTH6FgtaGhkCO__QPB8PKV_rOBG3aX6QMX5AmLAA,8115
224
+ jaclang/runtimelib/utils.py,sha256=DPKR7lprLZhJTnPAQKT8rszMzX2d1hA41M8LpJudZ5s,9002
220
225
  jaclang/settings.py,sha256=DKDtbY2WEZ2Eh0l1JsJ-h1Q0_-VWNbjGAQshHB14-gY,3676
221
226
  jaclang/tests/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
222
227
  jaclang/tests/fixtures/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
@@ -328,12 +333,16 @@ jaclang/tests/fixtures/pyfunc.py,sha256=Os1xnL4I4ddNkpv4Vs5aOxu95dEM0JuNIoiECyCC
328
333
  jaclang/tests/fixtures/pyfunc_1.py,sha256=bDEx4oIco0CxXmy1OGwGhcYh9QTNSEIpBuwV8KZ-IFs,5304
329
334
  jaclang/tests/fixtures/pyfunc_2.py,sha256=wnPS3t9wEElWtLekP3O5NcKI15-WKg08h4wbiijaMXo,5055
330
335
  jaclang/tests/fixtures/pyfunc_3.py,sha256=ZWk_85BCg-Vnz56xA-Q4LyE2MTZEP0ABD_XlDfsQd90,5238
336
+ jaclang/tests/fixtures/pyfunc_fmt.py,sha256=LONBPcfb36hFPDo6_fw9pTYgECLpOybcmIwlPL2FxAc,659
337
+ jaclang/tests/fixtures/pyfunc_fstr.py,sha256=KFKiOdVbQCnB6DaqyjXT2Ydxnk9oekJppaLeAgdsgrU,385
338
+ jaclang/tests/fixtures/pyfunc_kwesc.py,sha256=0w8Y_pAmJLYeXFNwq4l_ASd9pQbJrcgQIdVWRDqtjgI,677
331
339
  jaclang/tests/fixtures/pygame_mock/__init__.py,sha256=zrZT2YhxNFr6CKAER5NsSosccWzP8rwmV1vUK4OYWLo,69
332
340
  jaclang/tests/fixtures/pygame_mock/color.py,sha256=pvJICEi1sv2hRU88_fekFPeotv3vFyPs57POOkPHPh8,76
333
341
  jaclang/tests/fixtures/pygame_mock/constants.py,sha256=1i-OHdp8rQJNN_Bv6G4Nd3mBfKAn-V0O4pyR4ewg5kA,61
334
342
  jaclang/tests/fixtures/pygame_mock/display.py,sha256=uzQZvyHHf4iPAodRBuBxrnwx3CpDPbMxcsGRlUB_9GY,29
335
343
  jaclang/tests/fixtures/pygame_mock/inner/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
336
344
  jaclang/tests/fixtures/pygame_mock/inner/iner_mod.py,sha256=6_vik8u9cHHQKWMtzRegqOtVdXsTP72Obh4K0M98KDY,38
345
+ jaclang/tests/fixtures/python_run_test.py,sha256=CoRg_E6me6AGRthEceVtakE18hR67bQ1M0zdW_aXBXA,405
337
346
  jaclang/tests/fixtures/random_check.jac,sha256=EC5B0hTAb1_M2PUKJcI65RBhPSLd11_me-jzl9HCzCs,1511
338
347
  jaclang/tests/fixtures/raw_byte_string.jac,sha256=y5FA0rtLC5do8vqXfCxCF1TP7l8L20nI56WRFdu8x9k,337
339
348
  jaclang/tests/fixtures/refs_target.jac,sha256=Whexw4-xErg7vlV-1NB3cp0bNOP8u0df0QSrupTkJEY,347
@@ -361,18 +370,19 @@ jaclang/tests/fixtures/while_else.jac,sha256=Ziej7zCqTc2K7Dy9uE9pzyMns4pWGAVzjRx
361
370
  jaclang/tests/fixtures/with_context.jac,sha256=IitGo_vWRrJ--OU5I9n3LOf_oO8NH02G2D5qIDRkl04,466
362
371
  jaclang/tests/foo/__init__.jac,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
363
372
  jaclang/tests/test_bugs.py,sha256=w1_GJz1lMlsehriDtj1sq-gJlnvF5Kt0Dq1WKnl8By4,556
364
- jaclang/tests/test_cli.py,sha256=oDLd0VieDZneVK_cKArJVn9dq6n7lJZZErwLtIXwyrE,16883
365
- jaclang/tests/test_language.py,sha256=qfnc7l7Ra8a40t6FdHQ6yVSbsgkkh8SN3yFN4GA_hTU,57385
373
+ jaclang/tests/test_cli.py,sha256=6vp1NjDXe5B9qfhUSlQtVGLAhRMUzRlRCuejmgEf1fM,19525
374
+ jaclang/tests/test_language.py,sha256=KoYzPmX4AlfUOp6HycrVvcUQ_5LnIqhgOG5W_pdxWvU,61157
366
375
  jaclang/tests/test_man_code.py,sha256=ouK8XUp2FaEPNu2P7AkZa6OGrow2rNNIcQMF2uhJOvg,5054
367
376
  jaclang/tests/test_reference.py,sha256=p79l0O0PD4VHfKKKV2trlVSRRADlBbXKaOvEXi1X1Yk,3674
368
377
  jaclang/tests/test_settings.py,sha256=_h4vGHJMFe4H9ycFP78EkaT8gVrOt7e0tTJLYQjwNys,1839
369
378
  jaclang/tests/test_typecheck.py,sha256=ayTaNreS_mCxrDjx0XMzuvoTYdzU9r_pN-AFhC-oGyo,19911
370
379
  jaclang/utils/__init__.py,sha256=CB3oGfO8uIJsBig2PTQ89gtZB4zs1pIPZEYHa34oliY,203
371
380
  jaclang/utils/helpers.py,sha256=fOObXxov5hgF-VDrsL-w_kE5NA3Cv6Sgdivvbh8xc1I,10132
372
- jaclang/utils/lang_tools.py,sha256=lct1bsbpHhm5CeT2zpUMnwOeAvxZ3MKUKI3MCiWX6uI,10629
381
+ jaclang/utils/lang_tools.py,sha256=VQAcsVsszknhO9kl_Rp_26YSIVNE8trJbWRiN0TZxZo,10660
373
382
  jaclang/utils/log.py,sha256=G8Y_DnETgTh9xzvlW5gh9zqJ1ap4YY_MDTwIMu5Uc0Y,262
374
- jaclang/utils/module_resolver.py,sha256=0I7QCH5hIUxJWOD5FwrvaCCrGdbav93S9aOqsGie7rI,2996
375
- jaclang/utils/test.py,sha256=XEF-ofKl1eM84u6TvHJ1KLF0MejK8L-ayi52OyGjFh0,6193
383
+ jaclang/utils/module_resolver.py,sha256=6RwoELnRNgiFEeCyJOHa8-REANHOOMZM1bKzKLrTqN0,6645
384
+ jaclang/utils/symtable_test_helpers.py,sha256=1T9qV8JALdjNjYqVmBY2HVCNI6OodP2D7Uy8qyLpxSA,4512
385
+ jaclang/utils/test.py,sha256=nLh2t9nbF59BA39UAWK2QUB5WLeb9Hsh006GVivdOVw,6182
376
386
  jaclang/utils/tests/__init__.py,sha256=8uwVqMsc6cxBAM1DuHLuNuTnzLXqOqM-WRa4ixOMF6w,23
377
387
  jaclang/utils/tests/test_lang_tools.py,sha256=1pMYqSSOPTVCK9N7OTLOfUn0onByMiOhZEFtrIzq-IM,5643
378
388
  jaclang/utils/treeprinter.py,sha256=yElULT3ClwMoG6xn3XwJRj9mL2kmLLkaN8Ws0rx3Ewc,17595
@@ -471,6 +481,20 @@ jaclang/vendor/cattrs-24.1.3.dist-info/RECORD,sha256=RcQqio8_jEsqMYCekDPIIuDNd7x
471
481
  jaclang/vendor/cattrs-24.1.3.dist-info/REQUESTED,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
472
482
  jaclang/vendor/cattrs-24.1.3.dist-info/WHEEL,sha256=qtCwoSJWgHk21S1Kb4ihdzI2rlJ1ZKaIurTj_ngOhyQ,87
473
483
  jaclang/vendor/cattrs-24.1.3.dist-info/licenses/LICENSE,sha256=9fudHt43qIykf0IMSZ3KD0oFvJk-Esd9I1IKrSkcAb8,1074
484
+ jaclang/vendor/interegular/__init__.py,sha256=3N-bn8G0mqLVeR6niJ2To472Rx7avxw_gqRm2mBXAwU,1094
485
+ jaclang/vendor/interegular/comparator.py,sha256=G5TsKC5WDes7D4R3W9yJNuUs5JVc9zURo6lkHblvz5I,7035
486
+ jaclang/vendor/interegular/fsm.py,sha256=Kf3rlzy-HgND6xbdU4bkmeHB5BLAFZ02V8AAg9P7N2U,38115
487
+ jaclang/vendor/interegular/patterns.py,sha256=KjUqcjkrYD-hvPIkkR0-GcyGkYqFK5dhxzjchZRTJbM,25170
488
+ jaclang/vendor/interegular/py.typed,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
489
+ jaclang/vendor/interegular/utils/__init__.py,sha256=fivLhrDV0aSy8kGlD62DEHFkVl5-Q7toZZx0AL9-roE,436
490
+ jaclang/vendor/interegular/utils/simple_parser.py,sha256=Hf_dIZ24aV7D1pusd2z_MEvgjJQtB9UD0udFEl4A3Fs,5196
491
+ jaclang/vendor/interegular-0.3.3.dist-info/INSTALLER,sha256=zuuue4knoyJ-UwPPXg8fezS7VCrXJQrAP7zeNuwvFQg,4
492
+ jaclang/vendor/interegular-0.3.3.dist-info/LICENSE.txt,sha256=q_LXgdYGqJonclM7u4EJ9qhkmFOUQpVKU5LucahkYkw,1075
493
+ jaclang/vendor/interegular-0.3.3.dist-info/METADATA,sha256=7ZBJsN7LTFTPyIauzJ8Joq2fu735P7ZJ-_FUNWCr_6c,2985
494
+ jaclang/vendor/interegular-0.3.3.dist-info/RECORD,sha256=G5DDieXgVA8OY9wqWcdPtHdmegd7kJkPl20eRro9rR0,1481
495
+ jaclang/vendor/interegular-0.3.3.dist-info/REQUESTED,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
496
+ jaclang/vendor/interegular-0.3.3.dist-info/WHEEL,sha256=9FUYUSCt5io1tVBOVa-3S0zjcMzGO1nOIw99iWozm3o,93
497
+ jaclang/vendor/interegular-0.3.3.dist-info/top_level.txt,sha256=A98LQ5TOfM4ZxEotuKyytmx17Y3u_ujlxjsOZTa-AhQ,12
474
498
  jaclang/vendor/lark/__init__.py,sha256=bc0tK7h7XwHA-Y4vVeJoNIqSMA-MHVTihq8yy795WXo,744
475
499
  jaclang/vendor/lark/__pyinstaller/__init__.py,sha256=_PpFm44f_mwHlCpvYgv9ZgubLfNDc3PlePVir4sxRfI,182
476
500
  jaclang/vendor/lark/__pyinstaller/hook-lark.py,sha256=5aFHiZWVHPRdHT8qnb4kW4JSOql5GusHodHR25_q9sU,599
@@ -5170,7 +5194,7 @@ jaclang/vendor/typeshed/stubs/zxcvbn/zxcvbn/frequency_lists.pyi,sha256=Dtmz_lJ3F
5170
5194
  jaclang/vendor/typeshed/stubs/zxcvbn/zxcvbn/matching.pyi,sha256=_qCtgbqOjvvqdQNe4VvwwEggQMtJ65FATWfesuxeukE,3554
5171
5195
  jaclang/vendor/typeshed/stubs/zxcvbn/zxcvbn/scoring.pyi,sha256=8LMgKMusPGV0WxrcvzZXJbZQCBDKdIMRIdr2wnbXBiI,1454
5172
5196
  jaclang/vendor/typeshed/stubs/zxcvbn/zxcvbn/time_estimates.pyi,sha256=OWLFOMJXtKyoErBCIL7ej-WGLO-blK-j_xhzT-sHiU0,898
5173
- jaclang-0.8.4.dist-info/METADATA,sha256=VgKuK6bB-_mvWQxmaiA0ExeRcRFxzOsBqg8E2xZmmaQ,5014
5174
- jaclang-0.8.4.dist-info/WHEEL,sha256=b4K_helf-jlQoXBBETfwnf4B04YC67LOev0jo4fX5m8,88
5175
- jaclang-0.8.4.dist-info/entry_points.txt,sha256=8sMi4Tvi9f8tQDN2QAXsSA2icO27zQ4GgEdph6bNEZM,49
5176
- jaclang-0.8.4.dist-info/RECORD,,
5197
+ jaclang-0.8.5.dist-info/METADATA,sha256=ackEzkrFWoV7j7oA4KpSdmwK9NyIsP4-piORn9tDR3E,5014
5198
+ jaclang-0.8.5.dist-info/WHEEL,sha256=b4K_helf-jlQoXBBETfwnf4B04YC67LOev0jo4fX5m8,88
5199
+ jaclang-0.8.5.dist-info/entry_points.txt,sha256=8sMi4Tvi9f8tQDN2QAXsSA2icO27zQ4GgEdph6bNEZM,49
5200
+ jaclang-0.8.5.dist-info/RECORD,,