pyochain 0.5.0__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 pyochain might be problematic. Click here for more details.

@@ -0,0 +1,221 @@
1
+ from __future__ import annotations
2
+
3
+ import itertools
4
+ from collections.abc import Callable
5
+ from functools import partial
6
+ from typing import TYPE_CHECKING, Literal, overload
7
+
8
+ import cytoolz as cz
9
+ import more_itertools as mit
10
+
11
+ from .._core import IterWrapper
12
+
13
+ if TYPE_CHECKING:
14
+ from ._main import Iter
15
+
16
+
17
+ class BaseTuples[T](IterWrapper[T]):
18
+ def enumerate(self) -> Iter[tuple[int, T]]:
19
+ """
20
+ Return a Iter of (index, value) pairs.
21
+ ```python
22
+ >>> import pyochain as pc
23
+ >>> pc.Iter.from_(["a", "b"]).enumerate().into(list)
24
+ [(0, 'a'), (1, 'b')]
25
+
26
+ ```
27
+ """
28
+ return self.apply(enumerate)
29
+
30
+ @overload
31
+ def combinations(self, r: Literal[2]) -> Iter[tuple[T, T]]: ...
32
+ @overload
33
+ def combinations(self, r: Literal[3]) -> Iter[tuple[T, T, T]]: ...
34
+ @overload
35
+ def combinations(self, r: Literal[4]) -> Iter[tuple[T, T, T, T]]: ...
36
+ @overload
37
+ def combinations(self, r: Literal[5]) -> Iter[tuple[T, T, T, T, T]]: ...
38
+ def combinations(self, r: int) -> Iter[tuple[T, ...]]:
39
+ """
40
+ Return all combinations of length r.
41
+
42
+ Args:
43
+ r: Length of each combination.
44
+
45
+ ```python
46
+ >>> import pyochain as pc
47
+ >>> pc.Iter.from_([1, 2, 3]).combinations(2).into(list)
48
+ [(1, 2), (1, 3), (2, 3)]
49
+
50
+ ```
51
+ """
52
+ return self.apply(itertools.combinations, r)
53
+
54
+ @overload
55
+ def permutations(self, r: Literal[2]) -> Iter[tuple[T, T]]: ...
56
+ @overload
57
+ def permutations(self, r: Literal[3]) -> Iter[tuple[T, T, T]]: ...
58
+ @overload
59
+ def permutations(self, r: Literal[4]) -> Iter[tuple[T, T, T, T]]: ...
60
+ @overload
61
+ def permutations(self, r: Literal[5]) -> Iter[tuple[T, T, T, T, T]]: ...
62
+ def permutations(self, r: int | None = None) -> Iter[tuple[T, ...]]:
63
+ """
64
+ Return all permutations of length r.
65
+
66
+ Args:
67
+ r: Length of each permutation. Defaults to the length of the iterable.
68
+
69
+ ```python
70
+ >>> import pyochain as pc
71
+ >>> pc.Iter.from_([1, 2, 3]).permutations(2).into(list)
72
+ [(1, 2), (1, 3), (2, 1), (2, 3), (3, 1), (3, 2)]
73
+
74
+ ```
75
+ """
76
+ return self.apply(itertools.permutations, r)
77
+
78
+ @overload
79
+ def combinations_with_replacement(self, r: Literal[2]) -> Iter[tuple[T, T]]: ...
80
+ @overload
81
+ def combinations_with_replacement(self, r: Literal[3]) -> Iter[tuple[T, T, T]]: ...
82
+ @overload
83
+ def combinations_with_replacement(
84
+ self, r: Literal[4]
85
+ ) -> Iter[tuple[T, T, T, T]]: ...
86
+ @overload
87
+ def combinations_with_replacement(
88
+ self, r: Literal[5]
89
+ ) -> Iter[tuple[T, T, T, T, T]]: ...
90
+ def combinations_with_replacement(self, r: int) -> Iter[tuple[T, ...]]:
91
+ """
92
+ Return all combinations with replacement of length r.
93
+
94
+ Args:
95
+ r: Length of each combination.
96
+
97
+ ```python
98
+ >>> import pyochain as pc
99
+ >>> pc.Iter.from_([1, 2, 3]).combinations_with_replacement(2).into(list)
100
+ [(1, 1), (1, 2), (1, 3), (2, 2), (2, 3), (3, 3)]
101
+
102
+ ```
103
+ """
104
+ return self.apply(itertools.combinations_with_replacement, r)
105
+
106
+ def pairwise(self) -> Iter[tuple[T, T]]:
107
+ """
108
+ Return an iterator over pairs of consecutive elements.
109
+ ```python
110
+ >>> import pyochain as pc
111
+ >>> pc.Iter.from_([1, 2, 3]).pairwise().into(list)
112
+ [(1, 2), (2, 3)]
113
+
114
+ ```
115
+ """
116
+ return self.apply(itertools.pairwise)
117
+
118
+ @overload
119
+ def map_juxt[R1, R2](
120
+ self,
121
+ func1: Callable[[T], R1],
122
+ func2: Callable[[T], R2],
123
+ /,
124
+ ) -> Iter[tuple[R1, R2]]: ...
125
+ @overload
126
+ def map_juxt[R1, R2, R3](
127
+ self,
128
+ func1: Callable[[T], R1],
129
+ func2: Callable[[T], R2],
130
+ func3: Callable[[T], R3],
131
+ /,
132
+ ) -> Iter[tuple[R1, R2, R3]]: ...
133
+ @overload
134
+ def map_juxt[R1, R2, R3, R4](
135
+ self,
136
+ func1: Callable[[T], R1],
137
+ func2: Callable[[T], R2],
138
+ func3: Callable[[T], R3],
139
+ func4: Callable[[T], R4],
140
+ /,
141
+ ) -> Iter[tuple[R1, R2, R3, R4]]: ...
142
+ def map_juxt(self, *funcs: Callable[[T], object]) -> Iter[tuple[object, ...]]:
143
+ """
144
+ Apply several functions to each item.
145
+
146
+ Returns a new Iter where each item is a tuple of the results of applying each function to the original item.
147
+ ```python
148
+ >>> import pyochain as pc
149
+ >>> def is_even(n: int) -> bool:
150
+ ... return n % 2 == 0
151
+ >>> def is_positive(n: int) -> bool:
152
+ ... return n > 0
153
+ >>>
154
+ >>> pc.Iter.from_([1, -2, 3]).map_juxt(is_even, is_positive).into(list)
155
+ [(False, True), (True, False), (False, True)]
156
+
157
+ ```
158
+ """
159
+ return self.apply(partial(map, cz.functoolz.juxt(*funcs)))
160
+
161
+ def adjacent(
162
+ self, predicate: Callable[[T], bool], distance: int = 1
163
+ ) -> Iter[tuple[bool, T]]:
164
+ """
165
+ Return an iterable over (bool, item) tuples.
166
+
167
+ Args:
168
+ predicate: Function to determine if an item satisfies the condition.
169
+ distance: Number of places to consider as adjacent. Defaults to 1.
170
+
171
+ The output is a sequence of tuples where the item is drawn from iterable.
172
+
173
+ The bool indicates whether that item satisfies the predicate or is adjacent to an item that does.
174
+
175
+ For example, to find whether items are adjacent to a 3:
176
+ ```python
177
+ >>> import pyochain as pc
178
+ >>> pc.Iter.from_(range(6)).adjacent(lambda x: x == 3).into(list)
179
+ [(False, 0), (False, 1), (True, 2), (True, 3), (True, 4), (False, 5)]
180
+
181
+ ```
182
+ Set distance to change what counts as adjacent.
183
+ For example, to find whether items are two places away from a 3:
184
+ ```python
185
+ >>> pc.Iter.from_(range(6)).adjacent(lambda x: x == 3, distance=2).into(list)
186
+ [(False, 0), (True, 1), (True, 2), (True, 3), (True, 4), (True, 5)]
187
+
188
+ ```
189
+
190
+ This is useful for contextualizing the results of a search function.
191
+
192
+ For example, a code comparison tool might want to identify lines that have changed, but also surrounding lines to give the viewer of the diff context.
193
+
194
+ The predicate function will only be called once for each item in the iterable.
195
+
196
+ See also groupby_transform, which can be used with this function to group ranges of items with the same bool value.
197
+ """
198
+ return self.apply(partial(mit.adjacent, predicate, distance=distance))
199
+
200
+ def classify_unique(self) -> Iter[tuple[T, bool, bool]]:
201
+ """
202
+ Classify each element in terms of its uniqueness.\n
203
+ For each element in the input iterable, return a 3-tuple consisting of:
204
+
205
+ - The element itself
206
+ - False if the element is equal to the one preceding it in the input, True otherwise (i.e. the equivalent of unique_justseen)
207
+ - False if this element has been seen anywhere in the input before, True otherwise (i.e. the equivalent of unique_everseen)
208
+ ```python
209
+ >>> import pyochain as pc
210
+ >>> pc.Iter.from_("otto").classify_unique().into(list)
211
+ ... # doctest: +NORMALIZE_WHITESPACE
212
+ [('o', True, True),
213
+ ('t', True, True),
214
+ ('t', False, False),
215
+ ('o', True, False)]
216
+
217
+ ```
218
+
219
+ This function is analogous to unique_everseen and is subject to the same performance considerations.
220
+ """
221
+ return self.apply(mit.classify_unique)
pyochain/py.typed ADDED
File without changes
@@ -0,0 +1,295 @@
1
+ Metadata-Version: 2.3
2
+ Name: pyochain
3
+ Version: 0.5.0
4
+ Summary: Add your description here
5
+ Requires-Dist: cytoolz>=1.0.1
6
+ Requires-Dist: more-itertools>=10.8.0
7
+ Requires-Dist: rolling>=0.5.0
8
+ Requires-Python: >=3.12
9
+ Description-Content-Type: text/markdown
10
+
11
+ # pyochain ⛓️
12
+
13
+ **_Functional-style method chaining for Python data structures._**
14
+
15
+ `pyochain` brings a fluent, declarative API inspired by Rust's `Iterator` and DataFrame libraries like Polars to your everyday Python iterables and dictionaries.
16
+
17
+ Manipulate data through composable chains of operations, enhancing readability and reducing boilerplate.
18
+
19
+ ## Installation
20
+
21
+ ```bash
22
+ uv add git+https://github.com/OutSquareCapital/pyochain.git
23
+ ```
24
+
25
+ ## API Reference 📖
26
+
27
+ The full API reference can be found at:
28
+ <https://outsquarecapital.github.io/pyochain/>
29
+
30
+ ## Overview
31
+
32
+ ### Philosophy
33
+
34
+ * **Declarative over Imperative:** Replace explicit `for` and `while` loops with sequences of high-level operations (map, filter, group, join...).
35
+ * **Fluent Chaining:** Each method transforms the data and returns a new wrapper instance, allowing for seamless chaining.
36
+ * **Lazy and Eager:** `Iter` operates lazily for efficiency on large or infinite sequences, while `Seq` represents materialized collections for eager operations.
37
+ * **100% Type-safe:** Extensive use of generics and overloads ensures type safety and improves developer experience.
38
+ * **Documentation-first:** Each method is thoroughly documented with clear explanations, and usage examples. Before any commit is made, each docstring is automatically tested to ensure accuracy. This also allows for a convenient experience in IDEs, where developers can easily access documentation with a simple hover of the mouse.
39
+ * **Functional paradigm:** Design encourages building complex data transformations by composing simple, reusable functions on known buildings blocks, rather than implementing customs classes each time.
40
+
41
+ ### Inspirations
42
+
43
+ * **Rust's language and Rust `Iterator` Trait:** Emulate naming conventions (`from_()`, `into()`) and leverage concepts from Rust's powerful iterator traits (method chaining, lazy evaluation) to bring similar expressiveness to Python.
44
+ * **Polars API:** The powerful expression API for `pyochain.Dict` (`select`, `with_fields`, `key`) mimics the expressive power of Polars for selecting, transforming, and reshaping nested dictionary data.
45
+ * **Python iterators libraries:** Libraries like `rolling`, `cytoolz`, and `more-itertools` provided ideas, inspiration, and implementations for many of the iterator methods.
46
+ * **PyFunctional:** Although not directly used (because I started writing pyochain before discovering it), also shares similar goals and ideas.
47
+
48
+ ### Core Components
49
+
50
+ #### `Iter[T]`
51
+
52
+ To instantiate it, wrap a Python `Iterator` or `Generator`, or take any Iterable (`list`, `tuple`, etc...) and call Iter.from_ (which will call the builtin `iter()` on it).
53
+
54
+ All operations that return a new `Iter` are **lazy**, consuming the underlying iterator on demand.
55
+
56
+ Provides a vast array of methods for transformation, filtering, aggregation, joining, etc..
57
+
58
+ #### `Seq[T]`
59
+
60
+ Wraps a Python `Collection` (`list`, `tuple`, `set`...), and represents **eagerly** evaluated data.
61
+
62
+ Exposes a subset of the `Iter` methods who operate on the full dataset (e.g., `sort`, `union`) or who aggregate it.
63
+
64
+ It is most useful when you need to reuse the data multiple times without re-iterating it.
65
+
66
+ Use `.iter()` to switch back to lazy processing.
67
+
68
+ #### `Dict[K, V]`
69
+
70
+ Wraps a Python `dict` (or any Mapping via ``Dict.from_``) and provides chainable methods specific to dictionaries (manipulating keys, values, items, nesting, joins, grouping).
71
+
72
+ Promote immutability by returning new `Dict` instances on each operation, and avoiding in-place modifications.
73
+
74
+ Can work easily on known data structure (e.g `dict[str, int]`), with methods like `map_values`, `filter_keys`, etc., who works on the whole `dict` in a performant way, mostly thanks to `cytoolz` functions.
75
+
76
+ But `Dict` can work also as well as on "irregular" structures (e.g., `dict[Any, Any]`, TypedDict, etc..), by providing a set of utilities for working with nested data, including:
77
+
78
+ * `pluck` to extract multiple fields at once.
79
+ * `flatten` to collapse nested structures into a single level.
80
+ * `schema` to infer the structure of the data by recursively analyzing keys and value types.
81
+ * `pyochain.key` expressions to compute/retrieve/select/create new fields from existing nested data in a declarative way.
82
+
83
+ #### `Wrapper[T]`
84
+
85
+ A generic wrapper for any Python object, allowing integration into `pyochain`'s fluent style using `pipe`, `apply`, and `into`.
86
+
87
+ Can be for example used to wrap numpy arrays, json outputs from requests, or any custom class instance, as a way to integrate them into a chain of operations, rather than breaking the chain to reference intermediate variables.
88
+
89
+ ### Core Piping Methods
90
+
91
+ All wrappers inherit from `CommonBase`:
92
+
93
+ * `into[**P, R](func: Callable[Concatenate[T, P]], *args: P.args, **kwargs: P.kwargs) -> R`
94
+ Passes the **unwrapped** data to `func` and returns the raw result (terminal).
95
+ * `apply[**P, R](func: Callable[Concatenate[T, P]], *args: P.args, **kwargs: P.kwargs) -> "CurrentWrapper"[R]`
96
+ Passes the **unwrapped** data to`func` and **re-wraps** the result for continued chaining.
97
+ * `pipe[**P, R](func: Callable[Concatenate[Self, P]], *args: P.args, **kwargs: P.kwargs) -> R`
98
+ Passes the **wrapped instance** (`self`) to `func` and returns the raw result (can be terminal).
99
+ * `println()`
100
+ Prints the unwrapped data and returns `self`.
101
+
102
+ ### Rich Lazy Iteration (`Iter`)
103
+
104
+ Leverage dozens of methods inspired by Rust's `Iterator`, `itertools`, `cytoolz`, and `more-itertools`.
105
+
106
+ ```python
107
+ import pyochain as pc
108
+
109
+ result = (
110
+ pc.Iter.from_count(1) # Infinite iterator: 1, 2, 3, ...
111
+ .filter(lambda x: x % 2 != 0) # Keep odd numbers: 1, 3, 5, ...
112
+ .map(lambda x: x * x) # Square them: 1, 9, 25, ...
113
+ .take(5) # Take the first 5: 1, 9, 25, 49, 81
114
+ .into(list) # Consume into a list
115
+ )
116
+ # result: [1, 9, 25, 49, 81]
117
+ ```
118
+
119
+ ### Typing enforcement
120
+
121
+ Each method and class make extensive use of generics, type hints, and overloads (when necessary) to ensure type safety and improve developer experience.
122
+
123
+ Since there's much less need for intermediate variables, the developper don't have to annotate them as much, whilst still keeping a type-safe codebase.
124
+
125
+ Target: modern Python 3.13 syntax (PEP 695 generics, updated collections.abc types).
126
+
127
+ ### Expressions for Dict ``pyochain.key``
128
+
129
+ Compute new fields from existing nested data with key() and Expr.apply(), either selecting a new dict or merging into the root.
130
+
131
+ ```python
132
+ import pyochain as pc
133
+
134
+ # Build a compact view
135
+ data = pc.Dict(
136
+ {
137
+ "user": {"name": "Alice", "age": 30},
138
+ "scores": {"math": 18, "eng": 15},
139
+ }
140
+ )
141
+
142
+ view = data.select(
143
+ pc.key("user").key("name"),
144
+ pc.key("scores").key("math"),
145
+ pc.key("scores").key("eng"),
146
+ pc.key("user").key("age").apply(lambda x: x >= 18).alias("is_adult"),
147
+ )
148
+ # {"name": "Alice", "math": 18, "eng": 15, "is_adult": True}
149
+ merged = data.with_fields(
150
+ pc.key("scores").key("math").apply(lambda x: x * 10).alias("math_x10")
151
+ )
152
+ # {
153
+ # 'user': {'name': 'Alice', 'age': 30},
154
+ # 'scores': {'math': 18, 'eng': 15},
155
+ # 'math_x10': 180
156
+ # }
157
+
158
+ ```
159
+
160
+ ### Convenience mappers: itr and struct
161
+
162
+ Operate on iterables of iterables or iterables of dicts without leaving the chain.
163
+
164
+ ```python
165
+ import pyochain as pc
166
+
167
+ nested = pc.Iter.from_([[1, 2, 3], [4, 5]])
168
+ totals = nested.itr(lambda it: it.sum()).into(list)
169
+ # [6, 9]
170
+
171
+ records = pc.Iter.from_(
172
+ [
173
+ {"name": "Alice", "age": 30},
174
+ {"name": "Bob", "age": 25},
175
+ ]
176
+ )
177
+ names = records.struct(lambda d: d.pluck("name").unwrap()).into(list)
178
+ # ['Alice', 'Bob']
179
+ ```
180
+
181
+ ## Key Dependencies and credits
182
+
183
+ Most of the computations are done with implementations from the `cytoolz`, `more-itertools`, and `rolling` libraries.
184
+
185
+ An extensive use of the `itertools` stdlib module is also to be noted.
186
+
187
+ pyochain acts as a unifying API layer over these powerful tools.
188
+
189
+ <https://github.com/pytoolz/cytoolz>
190
+
191
+ <https://github.com/more-itertools/more-itertools>
192
+
193
+ <https://github.com/ajcr/rolling>
194
+
195
+ The stubs used for the developpement, made by the maintainer of pyochain, can be found here:
196
+
197
+ <https://github.com/py-stubs/cytoolz-stubs>
198
+
199
+ ---
200
+
201
+ ## Real-life simple example
202
+
203
+ In one of my project, I have to introspect some modules from plotly to get some lists of colors.
204
+
205
+ I want to check wether the colors are in hex format or not, and I want to get a dictionary of palettes.
206
+ We can see here that pyochain allow to keep the same style than polars, with method chaining, but for plain python objects.
207
+
208
+ Due to the freedom of python, multiple paradigms are implemented across libraries.
209
+
210
+ If you like the fluent, functional, chainable style, pyochain can help you to keep it across your codebase, rather than mixing object().method().method() and then another where it's [[... for ... in ...] ... ].
211
+
212
+ ```python
213
+
214
+ from types import ModuleType
215
+
216
+ import polars as pl
217
+ import pyochain as pc
218
+ from plotly.express.colors import cyclical, qualitative, sequential
219
+
220
+
221
+
222
+ MODULES: set[ModuleType] = {
223
+ sequential,
224
+ cyclical,
225
+ qualitative,
226
+ }
227
+
228
+ def get_palettes() -> pc.Dict[str, list[str]]:
229
+ clr = "color"
230
+ scl = "scale"
231
+ df: pl.DataFrame = (
232
+ pc.Iter.from_(MODULES)
233
+ .map(
234
+ lambda mod: pc.Dict.from_object(mod)
235
+ .filter_values(lambda v: isinstance(v, list))
236
+ .unwrap()
237
+ )
238
+ .into(pl.LazyFrame)
239
+ .unpivot(value_name=clr, variable_name=scl)
240
+ .drop_nulls()
241
+ .filter(
242
+ pl.col(clr)
243
+ .list.eval(pl.element().first().str.starts_with("#").alias("is_hex"))
244
+ .list.first()
245
+ )
246
+ .sort(scl)
247
+ .collect()
248
+ )
249
+ keys: list[str] = df.get_column(scl).to_list()
250
+ values: list[list[str]] = df.get_column(clr).to_list()
251
+ return pc.Iter.from_(keys).with_values(values)
252
+
253
+
254
+ # Ouput excerpt:
255
+ {'mygbm_r': ['#ef55f1',
256
+ '#c543fa',
257
+ '#9139fa',
258
+ '#6324f5',
259
+ '#2e21ea',
260
+ '#284ec8',
261
+ '#3d719a',
262
+ '#439064',
263
+ '#31ac28',
264
+ '#61c10b',
265
+ '#96d310',
266
+ '#c6e516',
267
+ '#f0ed35',
268
+ '#fcd471',
269
+ '#fbafa1',
270
+ '#fb84ce',
271
+ '#ef55f1']}
272
+ ```
273
+
274
+ However you can still easily go back with for loops when the readability is better this way.
275
+
276
+ In another place, I use this function to generate a Literal from the keys of the palettes.
277
+
278
+ ```python
279
+
280
+ from enum import StrEnum
281
+
282
+ class Text(StrEnum):
283
+ CONTENT = "Palettes = Literal[\n"
284
+ END_CONTENT = "]\n"
285
+ ...# rest of the class
286
+
287
+ def generate_palettes_literal() -> None:
288
+ literal_content: str = Text.CONTENT
289
+ for name in get_palettes().iter_keys().sort().unwrap():
290
+ literal_content += f' "{name}",\n'
291
+ literal_content += Text.END_CONTENT
292
+ ...# rest of the function
293
+ ```
294
+
295
+ Since I have to reference the literal_content variable in the for loop, This is more reasonnable to use a for loop here rather than a map + reduce approach.
@@ -0,0 +1,33 @@
1
+ pyochain/__init__.py,sha256=f5iynOtt1j-5GNsyBlThe4KHLqnDXXxxSfrBr72KRjM,152
2
+ pyochain/_core/__init__.py,sha256=J91CV32HesQdEK8D5iwLoWW9LRGbtN4wqHY6c12eZo8,451
3
+ pyochain/_core/_main.py,sha256=LdcJRYGvHfGYTmY0avTm7M2ykPDspfO_R7wKDxQ3oQY,5468
4
+ pyochain/_core/_protocols.py,sha256=D0t1-amduqjN27qoKESApBr7YPx6Dt5kB6oH9VTDq8o,941
5
+ pyochain/_dict/__init__.py,sha256=PdRjmX-7GTlZy3qbeS1IFO6QZNgjhVnhrUje-EvNZfw,89
6
+ pyochain/_dict/_exprs.py,sha256=KJwVXZS64GjpbjtHVl0PPTY1KvZVG-qo6HPSvigg0NU,3137
7
+ pyochain/_dict/_filters.py,sha256=E7aykSNn2N74n2HS2DhG_intEU7KoNQHFxUYDEVydV8,8234
8
+ pyochain/_dict/_funcs.py,sha256=zse4gAU7Zk6TnKvxvyyJtWwvydJ59gDqMOWOukh5T94,2209
9
+ pyochain/_dict/_groups.py,sha256=vw4lmBORvJ5w3u3rnG0G1xa4LONF5rthl5qVy7luhhw,6122
10
+ pyochain/_dict/_iter.py,sha256=LwylGaaQeB2Xx94U4UgVH9f66jzBeCx2THuv60iV3DY,2463
11
+ pyochain/_dict/_joins.py,sha256=wvexoINtPpO5zZvuorJJ2RYLFOE3JbSZ-19S3QHk1F0,4409
12
+ pyochain/_dict/_main.py,sha256=Jkb84P-5WqZqsZPfxnk_nWcrZPIXFE3iTn40-lYjALc,9130
13
+ pyochain/_dict/_nested.py,sha256=vjuh-J7KIPOiTKCwZdHLobXnrgxWxJyFJ8VXDjXHkM4,7929
14
+ pyochain/_dict/_process.py,sha256=B5ivADOuwShODeg7Kh4fMwvGQb1vRXISHTtUi-DkvWs,5443
15
+ pyochain/_iter/__init__.py,sha256=a8YS8Yx_UbLXdzM70YQrt6gyv1v7QW_16i2ydsyGGV8,56
16
+ pyochain/_iter/_aggregations.py,sha256=LLdeK8GwdMV8-ljlOCQPF3i90OUoAg8ImGU06pVu6O8,8583
17
+ pyochain/_iter/_booleans.py,sha256=3wOlvCqIV20sKwyPlwUq57cWpUbiKNYm3CMU6gtuYVY,7207
18
+ pyochain/_iter/_constructors.py,sha256=sEB8W6r22kjBuu0lUvyPKwHLXbPc9L9diK5UYMSTGU0,5348
19
+ pyochain/_iter/_eager.py,sha256=1GklA98m7rRYKh6NVqHnwcwxt4eDSkVnyakcATmH-Rc,5562
20
+ pyochain/_iter/_filters.py,sha256=e9F8j5VgPqD4jPwCwPMdjbi5I8bb-mjzBXKyYIiwiTU,15321
21
+ pyochain/_iter/_groups.py,sha256=oUkxgNXqC9je2XRCpV8MVQYiVwp4t8pKejiPBtfY340,8327
22
+ pyochain/_iter/_joins.py,sha256=dF28_muvSxMnShauTEQ0KkcA1b9JZia1ieAhWBQ_nk8,13134
23
+ pyochain/_iter/_lists.py,sha256=N71EV_ha3vjnMOcRVLZy4-Sk2mf7rDxmL_GLgRtBU8k,11101
24
+ pyochain/_iter/_main.py,sha256=1_XL9boT5GKi6SwYBIXoIcO5P9tqFGV1nWWs6qX0BV8,7191
25
+ pyochain/_iter/_maps.py,sha256=5W92MYGCKWK2d-byoomXktVPJZa5sCFVHTb6a5Duqko,11395
26
+ pyochain/_iter/_partitions.py,sha256=y97P9Y7wMX8qcSfdly6PVleB9D8gfAWeBAcNlDKZuOo,5098
27
+ pyochain/_iter/_process.py,sha256=obpPnz4uYmdikPLJGlcyWVGmU2k0bEkU6nMi5zZdatY,11449
28
+ pyochain/_iter/_rolling.py,sha256=lcqtkTJtHtEwpZaj_d3ILoCKHh_GVJhOg7L9BE0rWq4,7053
29
+ pyochain/_iter/_tuples.py,sha256=FeKFQ5KAZZaPlnykE3AD4MEaZLaPVFw3w9LEqR_BVWE,7477
30
+ pyochain/py.typed,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
31
+ pyochain-0.5.0.dist-info/WHEEL,sha256=eh7sammvW2TypMMMGKgsM83HyA_3qQ5Lgg3ynoecH3M,79
32
+ pyochain-0.5.0.dist-info/METADATA,sha256=m4-VmCaegu3uOmtFMfomAkPaPW6rg4DWdKAeJDCcnJ4,11152
33
+ pyochain-0.5.0.dist-info/RECORD,,
@@ -0,0 +1,4 @@
1
+ Wheel-Version: 1.0
2
+ Generator: uv 0.8.24
3
+ Root-Is-Purelib: true
4
+ Tag: py3-none-any