1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
|
from __future__ import annotations
from collections.abc import Iterable, Callable, Generator, Iterator
from dataclasses import dataclass
from enum import Enum
from typing import (
Concatenate,
Literal,
Never,
Self,
TypeAlias,
TypeVar,
ParamSpec,
Any,
Generic,
cast,
)
from ._base import CRU
from ._const import CruNotFound
from ._error import cru_unreachable
_P = ParamSpec("_P")
_T = TypeVar("_T")
_O = TypeVar("_O")
_V = TypeVar("_V")
_R = TypeVar("_R")
class _Generic:
class StepActionKind(Enum):
SKIP = 0
PUSH = 1
STOP = 2
AGGREGATE = 3
@dataclass
class StepAction(Generic[_V, _R]):
value: Iterable[Self] | _V | _R | None
kind: _Generic.StepActionKind
@property
def push_value(self) -> _V:
assert self.kind == _Generic.StepActionKind.PUSH
return cast(_V, self.value)
@property
def stop_value(self) -> _R:
assert self.kind == _Generic.StepActionKind.STOP
return cast(_R, self.value)
@staticmethod
def skip() -> _Generic.StepAction[_V, _R]:
return _Generic.StepAction(None, _Generic.StepActionKind.SKIP)
@staticmethod
def push(value: _V | None) -> _Generic.StepAction[_V, _R]:
return _Generic.StepAction(value, _Generic.StepActionKind.PUSH)
@staticmethod
def stop(value: _R | None = None) -> _Generic.StepAction[_V, _R]:
return _Generic.StepAction(value, _Generic.StepActionKind.STOP)
@staticmethod
def aggregate(
*results: _Generic.StepAction[_V, _R],
) -> _Generic.StepAction[_V, _R]:
return _Generic.StepAction(results, _Generic.StepActionKind.AGGREGATE)
@staticmethod
def push_last(value: _V | None) -> _Generic.StepAction[_V, _R]:
return _Generic.StepAction.aggregate(
_Generic.StepAction.push(value), _Generic.StepAction.stop()
)
def flatten(self) -> Iterable[Self]:
return _Generic.flatten(
self,
is_leave=lambda r: r.kind != _Generic.StepActionKind.AGGREGATE,
get_children=lambda r: cast(Iterable[Self], r.value),
)
GeneralStepAction: TypeAlias = StepAction[_V, _R] | _V | _R | None
IterateOperation: TypeAlias = Callable[[_T, int], GeneralStepAction[_V, _R]]
IteratePreHook: TypeAlias = Callable[[Iterable[_T]], GeneralStepAction[_V, _R]]
IteratePostHook: TypeAlias = Callable[[int], GeneralStepAction[_V, _R]]
@staticmethod
def _is_not_iterable(o: Any) -> bool:
return not isinstance(o, Iterable)
@staticmethod
def _return_self(o):
return o
@staticmethod
def iterable_flatten(
maybe_iterable: Iterable[_T] | _T, max_depth: int = -1, *, _depth: int = 0
) -> Iterable[Iterable[_T] | _T]:
if _depth == max_depth or not isinstance(maybe_iterable, Iterable):
yield maybe_iterable
return
for child in maybe_iterable:
yield from _Generic.iterable_flatten(
child,
max_depth,
_depth=_depth + 1,
)
@staticmethod
def flatten(
o: _O,
max_depth: int = -1,
/,
is_leave: CruIterator.ElementPredicate[_O] = _is_not_iterable,
get_children: CruIterator.ElementTransformer[_O, Iterable[_O]] = _return_self,
*,
_depth: int = 0,
) -> Iterable[_O]:
if _depth == max_depth or is_leave(o):
yield o
return
for child in get_children(o):
yield from _Generic.flatten(
child,
max_depth,
is_leave,
get_children,
_depth=_depth + 1,
)
class Results:
@staticmethod
def true(_) -> Literal[True]:
return True
@staticmethod
def false(_) -> Literal[False]:
return False
@staticmethod
def not_found(_) -> Literal[CruNotFound.VALUE]:
return CruNotFound.VALUE
@staticmethod
def _non_result_to_push(value: Any) -> StepAction[_V, _R]:
return _Generic.StepAction.push(value)
@staticmethod
def _non_result_to_stop(value: Any) -> StepAction[_V, _R]:
return _Generic.StepAction.stop(value)
@staticmethod
def _none_hook(_: Any) -> StepAction[_V, _R]:
return _Generic.StepAction.skip()
def iterate(
iterable: Iterable[_T],
operation: IterateOperation[_T, _V, _R],
fallback_return: _R,
pre_iterate: IteratePreHook[_T, _V, _R],
post_iterate: IteratePostHook[_V, _R],
convert_value_result: Callable[[_V | _R | None], StepAction[_V, _R]],
) -> Generator[_V, None, _R]:
pre_result = pre_iterate(iterable)
if not isinstance(pre_result, _Generic.StepAction):
real_pre_result = convert_value_result(pre_result)
for r in real_pre_result.flatten():
if r.kind == _Generic.StepActionKind.STOP:
return r.stop_value
elif r.kind == _Generic.StepActionKind.PUSH:
yield r.push_value
else:
assert r.kind == _Generic.StepActionKind.SKIP
for index, element in enumerate(iterable):
result = operation(element, index)
if not isinstance(result, _Generic.StepAction):
real_result = convert_value_result(result)
for r in real_result.flatten():
if r.kind == _Generic.StepActionKind.STOP:
return r.stop_value
elif r.kind == _Generic.StepActionKind.PUSH:
yield r.push_value
else:
assert r.kind == _Generic.StepActionKind.SKIP
continue
post_result = post_iterate(index + 1)
if not isinstance(post_result, _Generic.StepAction):
real_post_result = convert_value_result(post_result)
for r in real_post_result.flatten():
if r.kind == _Generic.StepActionKind.STOP:
return r.stop_value
elif r.kind == _Generic.StepActionKind.PUSH:
yield r.push_value
else:
assert r.kind == _Generic.StepActionKind.SKIP
return fallback_return
def create_new(
iterable: Iterable[_T],
operation: IterateOperation[_T, _V, _R],
fallback_return: _R,
/,
pre_iterate: IteratePreHook[_T, _V, _R] | None = None,
post_iterate: IteratePostHook[_V, _R] | None = None,
) -> Generator[_V, None, _R]:
return _Generic.iterate(
iterable,
operation,
fallback_return,
pre_iterate or _Generic._none_hook,
post_iterate or _Generic._none_hook,
_Generic._non_result_to_push,
)
def get_result(
iterable: Iterable[_T],
operation: IterateOperation[_T, _V, _R],
fallback_return: _R,
/,
pre_iterate: IteratePreHook[_T, _V, _R] | None = None,
post_iterate: IteratePostHook[_V, _R] | None = None,
) -> _R:
try:
for _ in _Generic.iterate(
iterable,
operation,
fallback_return,
pre_iterate or _Generic._none_hook,
post_iterate or _Generic._none_hook,
_Generic._non_result_to_stop,
):
pass
except StopIteration as stop:
return stop.value
cru_unreachable()
class _Helpers:
@staticmethod
def auto_count(c: Callable[Concatenate[int, _P], _O]) -> Callable[_P, _O]:
count = 0
def wrapper(*args: _P.args, **kwargs: _P.kwargs) -> _O:
nonlocal count
r = c(count, *args, **kwargs)
count += 1
return r
return wrapper
class _Creators:
class Raw:
@staticmethod
def empty() -> Iterator[Never]:
return iter([])
@staticmethod
def range(*args) -> Iterator[int]:
return iter(range(*args))
@staticmethod
def unite(*args: _T) -> Iterator[_T]:
return iter(args)
@staticmethod
def _concat(*iterables: Iterable[_T]) -> Iterable[_T]:
for iterable in iterables:
yield from iterable
@staticmethod
def concat(*iterables: Iterable[_T]) -> Iterator[_T]:
return iter(_Creators.Raw._concat(*iterables))
@staticmethod
def _wrap(f: Callable[_P, Iterable[_O]]) -> Callable[_P, CruIterator[_O]]:
def _wrapped(*args: _P.args, **kwargs: _P.kwargs) -> CruIterator[_O]:
return CruIterator(f(*args, **kwargs))
return _wrapped
empty = _wrap(Raw.empty)
range = _wrap(Raw.range)
unite = _wrap(Raw.unite)
concat = _wrap(Raw.concat)
class CruIterator(Generic[_T]):
ElementOperation: TypeAlias = Callable[[_V], Any]
ElementPredicate: TypeAlias = Callable[[_V], bool]
AnyElementPredicate: TypeAlias = ElementPredicate[Any]
ElementTransformer: TypeAlias = Callable[[_V], _O]
SelfElementTransformer: TypeAlias = ElementTransformer[_V, _V]
AnyElementTransformer: TypeAlias = ElementTransformer[Any, Any]
Creators: TypeAlias = _Creators
Helpers: TypeAlias = _Helpers
def __init__(self, iterable: Iterable[_T]) -> None:
self._iterator = iter(iterable)
def __iter__(self) -> Iterator[_T]:
return self._iterator
def create_new_me(self, iterable: Iterable[_O]) -> CruIterator[_O]:
return type(self)(iterable) # type: ignore
@staticmethod
def _wrap(
f: Callable[Concatenate[CruIterator[_T], _P], Iterable[_O]],
) -> Callable[Concatenate[CruIterator[_T], _P], CruIterator[_O]]:
def _wrapped(
self: CruIterator[_T], *args: _P.args, **kwargs: _P.kwargs
) -> CruIterator[_O]:
return self.create_new_me(f(self, *args, **kwargs))
return _wrapped
@_wrap
def replace_me(self, iterable: Iterable[_O]) -> Iterable[_O]:
return iterable
def replace_me_with_empty(self) -> CruIterator[Never]:
return self.create_new_me(_Creators.Raw.empty())
def replace_me_with_range(self, *args) -> CruIterator[int]:
return self.create_new_me(_Creators.Raw.range(*args))
def replace_me_with_unite(self, *args: _O) -> CruIterator[_O]:
return self.create_new_me(_Creators.Raw.unite(*args))
def replace_me_with_concat(self, *iterables: Iterable[_T]) -> CruIterator[_T]:
return self.create_new_me(_Creators.Raw.concat(*iterables))
def to_set(self) -> set[_T]:
return set(self)
def to_list(self) -> list[_T]:
return list(self)
def all(self, predicate: ElementPredicate[_T]) -> bool:
for value in self:
if not predicate(value):
return False
return True
def any(self, predicate: ElementPredicate[_T]) -> bool:
for value in self:
if predicate(value):
return True
return False
def foreach(self, operation: ElementOperation[_T]) -> None:
for value in self:
operation(value)
@_wrap
def transform(self, transformer: ElementTransformer[_T, _O]) -> Iterable[_O]:
for value in self:
yield transformer(value)
map = transform
@_wrap
def filter(self, predicate: ElementPredicate[_T]) -> Iterable[_T]:
for value in self:
if predicate(value):
yield value
@_wrap
def continue_if(self, predicate: ElementPredicate[_T]) -> Iterable[_T]:
for value in self:
yield value
if not predicate(value):
break
def first_n(self, max_count: int) -> CruIterator[_T]:
if max_count < 0:
raise ValueError("max_count must be 0 or positive.")
if max_count == 0:
return self.replace_me_with_empty() # type: ignore
return self.continue_if(_Helpers.auto_count(lambda i, _: i < max_count - 1))
def drop_n(self, n: int) -> CruIterator[_T]:
if n < 0:
raise ValueError("n must be 0 or positive.")
if n == 0:
return self
return self.filter(_Helpers.auto_count(lambda i, _: i < n))
def single_or(
self, fallback: _O | CruNotFound = CruNotFound.VALUE
) -> _T | _O | CruNotFound:
first_2 = self.first_n(2)
has_value = False
for element in first_2:
if has_value:
raise ValueError("More than one value found.")
has_value = True
value = element
if has_value:
return value
else:
return fallback
def first_or(
self, fallback: _O | CruNotFound = CruNotFound.VALUE
) -> _T | _O | CruNotFound:
return self.first_n(1).single_or(fallback)
@_wrap
def flatten(self, max_depth: int = -1) -> Iterable[Any]:
return _Generic.iterable_flatten(self, max_depth)
def select_by_indices(self, indices: Iterable[int]) -> CruIterator[_T]:
index_set = set(indices)
max_index = max(index_set)
return self.first_n(max_index + 1).filter(
_Helpers.auto_count(lambda i, _: i in index_set)
)
def remove_values(self, values: Iterable[Any]) -> CruIterator[_T]:
value_set = set(values)
return self.filter(lambda v: v not in value_set)
def replace_values(
self, old_values: Iterable[Any], new_value: _O
) -> Iterable[_T | _O]:
value_set = set(old_values)
return self.transform(lambda v: new_value if v in value_set else v)
def group_by(self, key_getter: Callable[[_T], _O]) -> dict[_O, list[_T]]:
result: dict[_O, list[_T]] = {}
for item in self:
key = key_getter(item)
if key not in result:
result[key] = []
result[key].append(item)
return result
def join_str(self: CruIterator[str], separator: str) -> str:
return separator.join(self)
class CruIterMixin(Generic[_T]):
def cru_iter(self: Iterable[_T]) -> CruIterator[_T]:
return CruIterator(self)
class CruIterList(list[_T], CruIterMixin[_T]):
pass
class CruIterable:
Generic: TypeAlias = _Generic
Iterator: TypeAlias = CruIterator[_T]
Helpers: TypeAlias = _Helpers
Mixin: TypeAlias = CruIterMixin[_T]
IterList: TypeAlias = CruIterList[_T]
CRU.add_objects(CruIterable, CruIterator)
|