IncludeCPP 3.4.2__py3-none-any.whl → 3.4.10__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.
@@ -5,7 +5,105 @@ Provides CsslLang class for executing CSSL code from Python.
5
5
 
6
6
  import threading
7
7
  from pathlib import Path
8
- from typing import Any, List, Optional, Callable
8
+ from typing import Any, List, Optional, Callable, Dict
9
+
10
+
11
+ class CSSLModule:
12
+ """
13
+ A callable CSSL module that executes code with arguments.
14
+
15
+ Created via CSSL.module() - the code is executed each time the module is called,
16
+ with arguments accessible via parameter.get(index).
17
+ """
18
+
19
+ def __init__(self, cssl_instance: 'CsslLang', code: str):
20
+ self._cssl = cssl_instance
21
+ self._code = code
22
+
23
+ def __call__(self, *args) -> Any:
24
+ """Execute the module code with the given arguments."""
25
+ return self._cssl.exec(self._code, *args)
26
+
27
+ def __repr__(self) -> str:
28
+ return f"<CSSLModule code_len={len(self._code)}>"
29
+
30
+
31
+ class CSSLFunctionModule:
32
+ """
33
+ A CSSL module with accessible functions as methods.
34
+
35
+ Created via CSSL.makemodule() - functions defined in the CSSL code
36
+ become callable attributes on this module.
37
+ """
38
+
39
+ def __init__(self, cssl_instance: 'CsslLang', code: str):
40
+ self._cssl = cssl_instance
41
+ self._code = code
42
+ self._runtime = None
43
+ self._functions: Dict[str, Any] = {}
44
+ self._initialized = False
45
+
46
+ def _ensure_initialized(self):
47
+ """Initialize the module by parsing and registering functions."""
48
+ if self._initialized:
49
+ return
50
+
51
+ from .cssl import CSSLRuntime, parse_cssl_program, ASTNode
52
+
53
+ # Create a dedicated runtime for this module
54
+ self._runtime = CSSLRuntime()
55
+
56
+ # Parse the code
57
+ ast = parse_cssl_program(self._code)
58
+
59
+ # Execute to register all function definitions
60
+ for child in ast.children:
61
+ if child.type == 'function':
62
+ func_info = child.value
63
+ func_name = func_info.get('name')
64
+ self._functions[func_name] = child
65
+ self._runtime.scope.set(func_name, child)
66
+ else:
67
+ # Execute other statements (like struct definitions)
68
+ try:
69
+ self._runtime._execute_node(child)
70
+ except Exception:
71
+ pass
72
+
73
+ self._initialized = True
74
+
75
+ def __getattr__(self, name: str) -> Callable:
76
+ """Get a function from the module."""
77
+ # Avoid recursion for internal attributes
78
+ if name.startswith('_'):
79
+ raise AttributeError(f"'{type(self).__name__}' has no attribute '{name}'")
80
+
81
+ self._ensure_initialized()
82
+
83
+ if name in self._functions:
84
+ func_node = self._functions[name]
85
+
86
+ def wrapper(*args):
87
+ from .cssl import Parameter
88
+ # Set up parameter object for this call
89
+ self._runtime.global_scope.set('parameter', Parameter(list(args)))
90
+ self._runtime.global_scope.set('args', list(args))
91
+ self._runtime.global_scope.set('argc', len(args))
92
+ return self._runtime._call_function(func_node, list(args))
93
+
94
+ return wrapper
95
+
96
+ raise AttributeError(f"CSSL module has no function '{name}'")
97
+
98
+ def __dir__(self) -> List[str]:
99
+ """List available functions."""
100
+ self._ensure_initialized()
101
+ return list(self._functions.keys())
102
+
103
+ def __repr__(self) -> str:
104
+ self._ensure_initialized()
105
+ funcs = ', '.join(self._functions.keys())
106
+ return f"<CSSLFunctionModule functions=[{funcs}]>"
9
107
 
10
108
 
11
109
  class CsslLang:
@@ -46,7 +144,8 @@ class CsslLang:
46
144
  *args: Arguments to pass to the script
47
145
 
48
146
  Returns:
49
- Execution result
147
+ Execution result. If parameter.return() was called, returns
148
+ the list of returned values (or single value if only one).
50
149
  """
51
150
  runtime = self._get_runtime()
52
151
 
@@ -58,12 +157,22 @@ class CsslLang:
58
157
  source = path_or_code
59
158
 
60
159
  # Set arguments in runtime scope
160
+ from .cssl import Parameter
161
+ param = Parameter(list(args))
61
162
  runtime.global_scope.set('args', list(args))
62
163
  runtime.global_scope.set('argc', len(args))
164
+ runtime.global_scope.set('parameter', param)
63
165
 
64
166
  # Execute as standalone program
65
167
  try:
66
168
  result = runtime.execute_program(source)
169
+
170
+ # Check if parameter.return() was used (generator-like returns)
171
+ if param.has_returns():
172
+ returns = param.returns()
173
+ # Return single value if only one, else return list
174
+ return returns[0] if len(returns) == 1 else returns
175
+
67
176
  return result
68
177
  except Exception as e:
69
178
  raise RuntimeError(f"CSSL Error: {e}") from e
@@ -120,6 +229,53 @@ class CsslLang:
120
229
  runtime = self._get_runtime()
121
230
  return runtime.global_scope.get(name)
122
231
 
232
+ def module(self, code: str) -> 'CSSLModule':
233
+ """
234
+ Create a callable CSSL module from code.
235
+
236
+ The module can be called with arguments that are passed to the CSSL code.
237
+
238
+ Usage:
239
+ module = CSSL.module('''
240
+ printl(parameter.get(0));
241
+ ''')
242
+ module("Hello") # Prints "Hello"
243
+
244
+ Args:
245
+ code: CSSL code string
246
+
247
+ Returns:
248
+ CSSLModule - a callable module
249
+ """
250
+ return CSSLModule(self, code)
251
+
252
+ def makemodule(self, code: str) -> 'CSSLFunctionModule':
253
+ """
254
+ Create a CSSL module with accessible functions.
255
+
256
+ Functions defined in the code become methods on the returned module.
257
+
258
+ Usage:
259
+ module = CSSL.makemodule('''
260
+ string greet(string name) {
261
+ return "Hello, " + name + "!";
262
+ }
263
+
264
+ int add(int a, int b) {
265
+ return a + b;
266
+ }
267
+ ''')
268
+ module.greet("World") # Returns "Hello, World!"
269
+ module.add(2, 3) # Returns 5
270
+
271
+ Args:
272
+ code: CSSL code string with function definitions
273
+
274
+ Returns:
275
+ CSSLFunctionModule - module with callable function attributes
276
+ """
277
+ return CSSLFunctionModule(self, code)
278
+
123
279
 
124
280
  # Singleton for convenience
125
281
  _default_instance: Optional[CsslLang] = None
@@ -130,3 +286,133 @@ def get_cssl() -> CsslLang:
130
286
  if _default_instance is None:
131
287
  _default_instance = CsslLang()
132
288
  return _default_instance
289
+
290
+
291
+ # Module-level convenience functions
292
+ def exec(path_or_code: str, *args) -> Any:
293
+ """
294
+ Execute CSSL code or file.
295
+
296
+ Usage:
297
+ from includecpp import CSSL
298
+ CSSL.exec("script.cssl", arg1, arg2)
299
+ CSSL.exec("printl('Hello World');")
300
+
301
+ Args:
302
+ path_or_code: Path to .cssl file or CSSL code string
303
+ *args: Arguments to pass to the script
304
+
305
+ Returns:
306
+ Execution result
307
+ """
308
+ return get_cssl().exec(path_or_code, *args)
309
+
310
+
311
+ def T_exec(path_or_code: str, *args, callback: Optional[Callable[[Any], None]] = None) -> threading.Thread:
312
+ """
313
+ Execute CSSL code asynchronously in a thread.
314
+
315
+ Usage:
316
+ from includecpp import CSSL
317
+ CSSL.T_exec("async_script.cssl", arg1, callback=on_done)
318
+
319
+ Args:
320
+ path_or_code: Path to .cssl file or CSSL code string
321
+ *args: Arguments to pass to the script
322
+ callback: Optional callback when execution completes
323
+
324
+ Returns:
325
+ Thread object
326
+ """
327
+ return get_cssl().T_exec(path_or_code, *args, callback=callback)
328
+
329
+
330
+ def set_global(name: str, value: Any) -> None:
331
+ """Set a global variable in CSSL runtime."""
332
+ get_cssl().set_global(name, value)
333
+
334
+
335
+ def get_global(name: str) -> Any:
336
+ """Get a global variable from CSSL runtime."""
337
+ return get_cssl().get_global(name)
338
+
339
+
340
+ def get_output() -> List[str]:
341
+ """Get output buffer from last execution."""
342
+ return get_cssl().get_output()
343
+
344
+
345
+ def clear_output() -> None:
346
+ """Clear output buffer."""
347
+ get_cssl().clear_output()
348
+
349
+
350
+ # Aliases to avoid conflict with Python builtin exec
351
+ _exec = exec
352
+ _T_exec = T_exec
353
+
354
+
355
+ def module(code: str) -> CSSLModule:
356
+ """
357
+ Create a callable CSSL module from code.
358
+
359
+ Usage:
360
+ from includecpp import CSSL
361
+ greet = CSSL.module('''
362
+ printl("Hello, " + parameter.get(0) + "!");
363
+ ''')
364
+ greet("World") # Prints "Hello, World!"
365
+
366
+ Args:
367
+ code: CSSL code string
368
+
369
+ Returns:
370
+ CSSLModule - a callable module
371
+ """
372
+ return get_cssl().module(code)
373
+
374
+
375
+ def makemodule(code: str) -> CSSLFunctionModule:
376
+ """
377
+ Create a CSSL module with accessible functions.
378
+
379
+ Usage:
380
+ from includecpp import CSSL
381
+ math_mod = CSSL.makemodule('''
382
+ int add(int a, int b) {
383
+ return a + b;
384
+ }
385
+
386
+ int multiply(int a, int b) {
387
+ return a * b;
388
+ }
389
+ ''')
390
+ math_mod.add(2, 3) # Returns 5
391
+ math_mod.multiply(4, 5) # Returns 20
392
+
393
+ Args:
394
+ code: CSSL code string with function definitions
395
+
396
+ Returns:
397
+ CSSLFunctionModule - module with callable function attributes
398
+ """
399
+ return get_cssl().makemodule(code)
400
+
401
+
402
+ # Export all
403
+ __all__ = [
404
+ 'CsslLang',
405
+ 'CSSLModule',
406
+ 'CSSLFunctionModule',
407
+ 'get_cssl',
408
+ 'exec',
409
+ '_exec', # Alias for exec (avoids Python builtin conflict)
410
+ 'T_exec',
411
+ '_T_exec', # Alias for T_exec
412
+ 'set_global',
413
+ 'get_global',
414
+ 'get_output',
415
+ 'clear_output',
416
+ 'module',
417
+ 'makemodule',
418
+ ]
@@ -0,0 +1,311 @@
1
+ """
2
+ CSSL Bridge - Type Stubs for Python API
3
+ """
4
+
5
+ import threading
6
+ from typing import Any, List, Optional, Callable, Dict
7
+
8
+
9
+ class CSSLModule:
10
+ """
11
+ A callable CSSL module that executes code with arguments.
12
+
13
+ Created via CSSL.module() - the code is executed each time the module is called,
14
+ with arguments accessible via parameter.get(index).
15
+ """
16
+
17
+ def __init__(self, cssl_instance: 'CsslLang', code: str) -> None: ...
18
+ def __call__(self, *args: Any) -> Any:
19
+ """Execute the module code with the given arguments."""
20
+ ...
21
+ def __repr__(self) -> str: ...
22
+
23
+
24
+ class CSSLFunctionModule:
25
+ """
26
+ A CSSL module with accessible functions as methods.
27
+
28
+ Created via CSSL.makemodule() - functions defined in the CSSL code
29
+ become callable attributes on this module.
30
+ """
31
+
32
+ def __init__(self, cssl_instance: 'CsslLang', code: str) -> None: ...
33
+ def __getattr__(self, name: str) -> Callable[..., Any]:
34
+ """Get a function from the module."""
35
+ ...
36
+ def __dir__(self) -> List[str]:
37
+ """List available functions."""
38
+ ...
39
+ def __repr__(self) -> str: ...
40
+
41
+
42
+ class CsslLang:
43
+ """
44
+ CSSL Language interface for Python.
45
+
46
+ Usage:
47
+ from includecpp import CSSL
48
+ cssl = CSSL.CsslLang()
49
+ result = cssl.exec("script.cssl", arg1, arg2)
50
+ cssl.T_exec("async_script.cssl", arg1) # Threaded
51
+ """
52
+
53
+ def __init__(self, output_callback: Optional[Callable[[str, str], None]] = ...) -> None:
54
+ """
55
+ Initialize CSSL runtime.
56
+
57
+ Args:
58
+ output_callback: Optional callback for output (text, level)
59
+ """
60
+ ...
61
+
62
+ def exec(self, path_or_code: str, *args: Any) -> Any:
63
+ """
64
+ Execute CSSL code or file.
65
+
66
+ Args:
67
+ path_or_code: Path to .cssl file or CSSL code string
68
+ *args: Arguments to pass to the script
69
+
70
+ Returns:
71
+ Execution result
72
+ """
73
+ ...
74
+
75
+ def T_exec(
76
+ self,
77
+ path_or_code: str,
78
+ *args: Any,
79
+ callback: Optional[Callable[[Any], None]] = ...
80
+ ) -> threading.Thread:
81
+ """
82
+ Execute CSSL code asynchronously in a thread.
83
+
84
+ Args:
85
+ path_or_code: Path to .cssl file or CSSL code string
86
+ *args: Arguments to pass to the script
87
+ callback: Optional callback when execution completes
88
+
89
+ Returns:
90
+ Thread object
91
+ """
92
+ ...
93
+
94
+ def wait_all(self, timeout: Optional[float] = ...) -> None:
95
+ """Wait for all async executions to complete."""
96
+ ...
97
+
98
+ def get_output(self) -> List[str]:
99
+ """Get output buffer from last execution."""
100
+ ...
101
+
102
+ def clear_output(self) -> None:
103
+ """Clear output buffer."""
104
+ ...
105
+
106
+ def set_global(self, name: str, value: Any) -> None:
107
+ """Set a global variable in CSSL runtime."""
108
+ ...
109
+
110
+ def get_global(self, name: str) -> Any:
111
+ """Get a global variable from CSSL runtime."""
112
+ ...
113
+
114
+ def module(self, code: str) -> CSSLModule:
115
+ """
116
+ Create a callable CSSL module from code.
117
+
118
+ Usage:
119
+ module = cssl.module('''
120
+ printl(parameter.get(0));
121
+ ''')
122
+ module("Hello") # Prints "Hello"
123
+
124
+ Args:
125
+ code: CSSL code string
126
+
127
+ Returns:
128
+ CSSLModule - a callable module
129
+ """
130
+ ...
131
+
132
+ def makemodule(self, code: str) -> CSSLFunctionModule:
133
+ """
134
+ Create a CSSL module with accessible functions.
135
+
136
+ Usage:
137
+ module = cssl.makemodule('''
138
+ string greet(string name) {
139
+ return "Hello, " + name + "!";
140
+ }
141
+ ''')
142
+ module.greet("World") # Returns "Hello, World!"
143
+
144
+ Args:
145
+ code: CSSL code string with function definitions
146
+
147
+ Returns:
148
+ CSSLFunctionModule - module with callable function attributes
149
+ """
150
+ ...
151
+
152
+
153
+ def get_cssl() -> CsslLang:
154
+ """Get default CSSL instance."""
155
+ ...
156
+
157
+
158
+ def exec(path_or_code: str, *args: Any) -> Any:
159
+ """
160
+ Execute CSSL code or file.
161
+
162
+ Usage:
163
+ from includecpp import CSSL
164
+ CSSL.exec("script.cssl", arg1, arg2)
165
+ CSSL.exec("printl('Hello World');")
166
+
167
+ Args:
168
+ path_or_code: Path to .cssl file or CSSL code string
169
+ *args: Arguments to pass to the script
170
+
171
+ Returns:
172
+ Execution result
173
+ """
174
+ ...
175
+
176
+
177
+ def T_exec(
178
+ path_or_code: str,
179
+ *args: Any,
180
+ callback: Optional[Callable[[Any], None]] = ...
181
+ ) -> threading.Thread:
182
+ """
183
+ Execute CSSL code asynchronously in a thread.
184
+
185
+ Usage:
186
+ from includecpp import CSSL
187
+ CSSL.T_exec("async_script.cssl", arg1, callback=on_done)
188
+
189
+ Args:
190
+ path_or_code: Path to .cssl file or CSSL code string
191
+ *args: Arguments to pass to the script
192
+ callback: Optional callback when execution completes
193
+
194
+ Returns:
195
+ Thread object
196
+ """
197
+ ...
198
+
199
+
200
+ def set_global(name: str, value: Any) -> None:
201
+ """Set a global variable in CSSL runtime."""
202
+ ...
203
+
204
+
205
+ def get_global(name: str) -> Any:
206
+ """Get a global variable from CSSL runtime."""
207
+ ...
208
+
209
+
210
+ def get_output() -> List[str]:
211
+ """Get output buffer from last execution."""
212
+ ...
213
+
214
+
215
+ def clear_output() -> None:
216
+ """Clear output buffer."""
217
+ ...
218
+
219
+
220
+ # Aliases to avoid conflict with Python builtin exec
221
+ def _exec(code: str, *args: Any) -> Any:
222
+ """
223
+ Execute CSSL code directly (alias for exec).
224
+
225
+ Supports triple-quoted docstrings for inline CSSL code:
226
+
227
+ Usage:
228
+ from includecpp import CSSL
229
+ CSSL._exec('''
230
+ global base = include("abc.cssl-mod");
231
+
232
+ void TestFunc() {
233
+ printl("hey");
234
+ @base.RechneWas(4, 5);
235
+ }
236
+
237
+ TestFunc();
238
+ ''')
239
+
240
+ Args:
241
+ code: CSSL code string (supports triple-quoted docstrings)
242
+ *args: Arguments to pass to the script
243
+
244
+ Returns:
245
+ Execution result
246
+ """
247
+ ...
248
+
249
+
250
+ def _T_exec(
251
+ code: str,
252
+ *args: Any,
253
+ callback: Optional[Callable[[Any], None]] = ...
254
+ ) -> threading.Thread:
255
+ """
256
+ Execute CSSL code asynchronously in a thread (alias for T_exec).
257
+
258
+ Args:
259
+ code: CSSL code string
260
+ *args: Arguments to pass to the script
261
+ callback: Optional callback when execution completes
262
+
263
+ Returns:
264
+ Thread object
265
+ """
266
+ ...
267
+
268
+
269
+ def module(code: str) -> CSSLModule:
270
+ """
271
+ Create a callable CSSL module from code.
272
+
273
+ Usage:
274
+ from includecpp import CSSL
275
+ greet = CSSL.module('''
276
+ printl("Hello, " + parameter.get(0) + "!");
277
+ ''')
278
+ greet("World") # Prints "Hello, World!"
279
+
280
+ Args:
281
+ code: CSSL code string
282
+
283
+ Returns:
284
+ CSSLModule - a callable module
285
+ """
286
+ ...
287
+
288
+
289
+ def makemodule(code: str) -> CSSLFunctionModule:
290
+ """
291
+ Create a CSSL module with accessible functions.
292
+
293
+ Usage:
294
+ from includecpp import CSSL
295
+ math_mod = CSSL.makemodule('''
296
+ int add(int a, int b) {
297
+ return a + b;
298
+ }
299
+ ''')
300
+ math_mod.add(2, 3) # Returns 5
301
+
302
+ Args:
303
+ code: CSSL code string with function definitions
304
+
305
+ Returns:
306
+ CSSLFunctionModule - module with callable function attributes
307
+ """
308
+ ...
309
+
310
+
311
+ __all__: List[str]
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.4
2
2
  Name: IncludeCPP
3
- Version: 3.4.2
3
+ Version: 3.4.10
4
4
  Summary: Professional C++ Python bindings with type-generic templates, pystubs and native threading
5
5
  Home-page: https://github.com/liliassg/IncludeCPP
6
6
  Author: Lilias Hatterscheidt
@@ -1,9 +1,9 @@
1
- includecpp/__init__.py,sha256=kqL0S09fmUWRoVpKUN-_2lufQHL-zcd8Y80CGDfWZ5M,1613
2
- includecpp/__init__.pyi,sha256=gNfQTFiM0z-Z2xazX7Hk5ULtW44lEU2j6hGEipcipMY,3637
1
+ includecpp/__init__.py,sha256=ADg4AjowwcXWGRAZLfuz0f494MvuL2vD7Ry4-LtbIBg,1673
2
+ includecpp/__init__.pyi,sha256=SBHwNvqWSUj0c_oS0uVGoOv25uYUOYtORFMxKiN0pkY,3762
3
3
  includecpp/__main__.py,sha256=d6QK0PkvUe1ENofpmHRAg3bwNbZr8PiRscfI3-WRfVg,72
4
4
  includecpp/py.typed,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
5
5
  includecpp/cli/__init__.py,sha256=Yda-4a5QJb_tKu35YQNfc5lu-LewTsM5abqNNkzS47M,113
6
- includecpp/cli/commands.py,sha256=90-L9iy4qIvyZR5KlMPSI5YNN7cb_1e6D5p-MTPkYJo,316845
6
+ includecpp/cli/commands.py,sha256=7ozSW7IyUaCoSY1tC0-ieV1TYNP37g7kSoG16XmOkZY,316898
7
7
  includecpp/cli/config_parser.py,sha256=KveeYUg2TA9sC5hKVzYYfgdNm2WfLG5y7_yxgBWn9yM,4886
8
8
  includecpp/core/__init__.py,sha256=L1bT6oikTjdto-6Px7DpjePtM07ymo3Bnov1saZzsGg,390
9
9
  includecpp/core/ai_integration.py,sha256=PW6yFDqdXjfchpfKTKg59AOLhLry9kqJEGf_65BztrY,87603
@@ -11,30 +11,31 @@ includecpp/core/build_manager.py,sha256=uLuYsuiC6OsOGaU5wAJfl4M3IbdnIDgogfMd8VsV
11
11
  includecpp/core/cpp_api.py,sha256=8y_B1L18rhSBZln654xPPzqO2PdvAlLpJrfEjzl7Wnc,14039
12
12
  includecpp/core/cpp_api.pyi,sha256=IEiaKqaPItnn6rjL7aK32D3o9FYmRYCgCZbqiQNUwdc,3496
13
13
  includecpp/core/cppy_converter.py,sha256=b7yqu-aoa0wShNY0GvQT67TnNhYya4GyYmG7oDdqDV4,156686
14
- includecpp/core/cssl_bridge.py,sha256=V_55W-h4vRE0m-O1bJS5Lb_ywq9Tiq-1apG6gtiKVVk,4166
14
+ includecpp/core/cssl_bridge.py,sha256=HpnMbX4lnGCuQq8ZjnvLSfqd-wrobMF5szhQM4T2RGI,12635
15
+ includecpp/core/cssl_bridge.pyi,sha256=Q4zjc2Kf2wPJPnfgHS-koPEon3Kty6o3mCvp9E5Q8tE,7635
15
16
  includecpp/core/error_catalog.py,sha256=VS3N-P0yEbiHimsDPtcaYfrUb7mXQ-7pqw18PtSngaU,33869
16
17
  includecpp/core/error_formatter.py,sha256=7-MzRIT8cM4uODxy0IZ9pu7pqR4Pq2I8Si0QQZHjmVc,39239
17
18
  includecpp/core/exceptions.py,sha256=szeF4qdzi_q8hBBZi7mJxkliyQ0crplkLYe0ymlBGtk,2459
18
19
  includecpp/core/path_discovery.py,sha256=jI0oSq6Hsd4LKXmU4dOiGSrXcEO_KWMXfQ5_ylBmXvU,2561
19
20
  includecpp/core/project_ui.py,sha256=la2EQZKmUkJGuJxnbs09hH1ZhBh9bfndo6okzZsk2dQ,141134
20
21
  includecpp/core/settings_ui.py,sha256=B2SlwgdplF2KiBk5UYf2l8Jjifjd0F-FmBP0DPsVCEQ,11798
21
- includecpp/core/cssl/__init__.py,sha256=DZMkRkjBNCxSJ27x4elPIKbxgEFyLnKFZSIki91xVKc,1551
22
+ includecpp/core/cssl/__init__.py,sha256=Z63V6GjWMyd61WpdoAd-hA_ZB3kgIw2RvA-RR35WBEc,1719
22
23
  includecpp/core/cssl/cssl_builtins.py,sha256=PDz4FoWqNdGjBTBLKJ2fc8SqFKpprSey_9gZxV19tIE,61896
23
24
  includecpp/core/cssl/cssl_events.py,sha256=nupIcXW_Vjdud7zCU6hdwkQRQ0MujlPM7Tk2u7eDAiY,21013
24
25
  includecpp/core/cssl/cssl_modules.py,sha256=cUg0-zdymMnWWTsA_BUrW5dx4R04dHpKcUhm-Wfiwwo,103006
25
- includecpp/core/cssl/cssl_parser.py,sha256=mSvskKx66UvhmhxjgjfiBLfLylesaY50RsJcDBFK3so,60004
26
- includecpp/core/cssl/cssl_runtime.py,sha256=Qz6gNTuul-V73oAm8bE4JqnCLHIxMSWjskSEuLP_Lmg,59097
26
+ includecpp/core/cssl/cssl_parser.py,sha256=B52QW-Cc9GBmoJGlqNlmEBq1-3cHcztVbUWNR4KuTH4,79259
27
+ includecpp/core/cssl/cssl_runtime.py,sha256=zvhWTGIkjTxKuQBjouGO6T7miyfSL1vGCXa3RQ7v60c,66626
27
28
  includecpp/core/cssl/cssl_syntax.py,sha256=vgI-dgj6gs9cOHwNRff6JbwZZYW_fYutnwCkznlgZiE,17006
28
- includecpp/core/cssl/cssl_types.py,sha256=W5QAkFOHW0g6DaqQHk23bSBDvfLFTjHiTObLjfuHTo4,13003
29
+ includecpp/core/cssl/cssl_types.py,sha256=-4kevtcUSqjCX9v6TzA_eHW3ZqaeKjEAIc92dGIAodc,17765
29
30
  includecpp/generator/__init__.py,sha256=Rsy41bwimaEloD3gDRR_znPfIJzIsCFuWZgCTJBLJlc,62
30
31
  includecpp/generator/parser.cpp,sha256=CxVpsBDb22yDaVqp0ljh7dFKBTGlUj65apUGtPRMu0s,76829
31
32
  includecpp/generator/parser.h,sha256=EDm0b-pEesIIIQQ2PvH5h2qwlqJU9BH8SiMV7MWbsTo,11073
32
33
  includecpp/generator/type_resolver.cpp,sha256=MmFK_4HXd1wqxALDiDyXVuU397SXoQL_o5zb_8N8Hzs,12346
33
34
  includecpp/generator/type_resolver.h,sha256=ZsaxQqcCcKJJApYn7KOp2dLlQ1VFVG_oZDjaK5LhBSg,2590
34
35
  includecpp/templates/cpp.proj.template,sha256=Iy-L8I4Cl3tIgBMx1Qp5h6gURvkqOAqyodVHuDJ0Luw,359
35
- includecpp-3.4.2.dist-info/licenses/LICENSE,sha256=fWCsGGsiWZir0UzDd20Hh-3wtRyk1zqUntvtVuAWhvc,1093
36
- includecpp-3.4.2.dist-info/METADATA,sha256=ji6ffwWqoUKcDfI17Tl5jQK4TgytuLJjZutCUWRD4oM,26654
37
- includecpp-3.4.2.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
38
- includecpp-3.4.2.dist-info/entry_points.txt,sha256=6A5Mif9gi0139Bf03W5plAb3wnAgbNaEVe1HJoGE-2o,59
39
- includecpp-3.4.2.dist-info/top_level.txt,sha256=RFUaR1KG-M6mCYwP6w4ydP5Cgc8yNbP78jxGAvyjMa8,11
40
- includecpp-3.4.2.dist-info/RECORD,,
36
+ includecpp-3.4.10.dist-info/licenses/LICENSE,sha256=fWCsGGsiWZir0UzDd20Hh-3wtRyk1zqUntvtVuAWhvc,1093
37
+ includecpp-3.4.10.dist-info/METADATA,sha256=Pu0j0edS2IRiuGTQA6nIAhYDgBsbq3oddp6TMnDdn1E,26655
38
+ includecpp-3.4.10.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
39
+ includecpp-3.4.10.dist-info/entry_points.txt,sha256=6A5Mif9gi0139Bf03W5plAb3wnAgbNaEVe1HJoGE-2o,59
40
+ includecpp-3.4.10.dist-info/top_level.txt,sha256=RFUaR1KG-M6mCYwP6w4ydP5Cgc8yNbP78jxGAvyjMa8,11
41
+ includecpp-3.4.10.dist-info/RECORD,,