omlish 0.0.0.dev254__py3-none-any.whl → 0.0.0.dev256__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.
@@ -1,22 +1,34 @@
1
1
  from .errors import ( # noqa
2
- CUSTOM_ERROR_BASE,
3
2
  KnownError,
4
3
  KnownErrors,
4
+
5
+ CUSTOM_ERROR_BASE,
5
6
  )
6
7
 
7
8
  from .types import ( # noqa
8
- Error,
9
- Id,
10
- NotSpecified,
9
+ NUMBER_TYPES,
11
10
  Number,
12
11
  Object,
13
- Request,
14
- Response,
12
+ ID_TYPES,
13
+ Id,
14
+
15
15
  VERSION,
16
- error,
17
- notification,
16
+
17
+ NotSpecified,
18
+ is_not_specified,
19
+
20
+ Request,
18
21
  request,
22
+ notification,
23
+
24
+ Response,
19
25
  result,
26
+
27
+ Error,
28
+ error,
29
+
30
+ Message,
31
+ detect_message_type,
20
32
  )
21
33
 
22
34
 
@@ -9,15 +9,21 @@ See:
9
9
  - https://github.com/python-lsp/python-lsp-jsonrpc
10
10
  """
11
11
  import operator
12
+ import types
12
13
  import typing as ta
13
14
 
15
+ from ... import check
14
16
  from ... import dataclasses as dc
15
17
  from ... import lang
16
18
  from ... import marshal as msh
17
19
 
18
20
 
21
+ NUMBER_TYPES: tuple[type, ...] = (int, float)
19
22
  Number: ta.TypeAlias = int | float
23
+
20
24
  Object: ta.TypeAlias = ta.Mapping[str, ta.Any]
25
+
26
+ ID_TYPES: tuple[type, ...] = (str, *NUMBER_TYPES, types.NoneType)
21
27
  Id: ta.TypeAlias = str | Number | None
22
28
 
23
29
 
@@ -27,6 +33,9 @@ Id: ta.TypeAlias = str | Number | None
27
33
  VERSION = '2.0'
28
34
 
29
35
 
36
+ ##
37
+
38
+
30
39
  class NotSpecified(lang.Marker):
31
40
  pass
32
41
 
@@ -43,6 +52,14 @@ def is_not_specified(v: ta.Any) -> bool:
43
52
  @msh.update_fields_metadata(['params'], omit_if=operator.not_)
44
53
  class Request(lang.Final):
45
54
  id: Id | type[NotSpecified]
55
+
56
+ @property
57
+ def is_notification(self) -> bool:
58
+ return self.id is NotSpecified
59
+
60
+ def id_value(self) -> Id:
61
+ return check.isinstance(self.id, ID_TYPES)
62
+
46
63
  method: str
47
64
  params: Object | None = None
48
65
 
@@ -50,6 +67,7 @@ class Request(lang.Final):
50
67
  dc.validate(lambda self: self.jsonrpc == VERSION)
51
68
 
52
69
 
70
+
53
71
  def request(id: Id, method: str, params: Object | None = None) -> Request: # noqa
54
72
  return Request(id, method, params)
55
73
 
@@ -94,3 +112,18 @@ class Error(lang.Final):
94
112
 
95
113
  def error(id: Id, error: Error) -> Response: # noqa
96
114
  return Response(id, error=error)
115
+
116
+
117
+ ##
118
+
119
+
120
+ Message: ta.TypeAlias = Request | Response | Error
121
+
122
+
123
+ def detect_message_type(dct: ta.Mapping[str, ta.Any]) -> type[Message]:
124
+ if 'method' in dct:
125
+ return Request
126
+ elif 'code' in dct:
127
+ return Error
128
+ else:
129
+ return Response
@@ -100,11 +100,14 @@ sortItem
100
100
  ;
101
101
 
102
102
  relation
103
- : relation AS? ident #aliasedRelation
104
- | left=relation ty=joinType? JOIN right=relation (ON cond=booleanExpr)? #joinRelation
105
- | '(' select ')' #selectRelation
106
- | '(' relation ')' #parenRelation
107
- | qualifiedName #tableRelation
103
+ : relation AS? ident #aliasedRelation
104
+ | left=relation
105
+ ty=joinType?
106
+ JOIN right=relation
107
+ (ON cond=booleanExpr)? #joinRelation
108
+ | '(' select ')' #selectRelation
109
+ | '(' relation ')' #parenRelation
110
+ | qualifiedName #tableRelation
108
111
  ;
109
112
 
110
113
  groupBy
omlish/sync.py CHANGED
@@ -2,6 +2,7 @@
2
2
  TODO:
3
3
  - sync (lol) w/ asyncs.anyio
4
4
  - atomics
5
+ - Once poison=False, PoisonedError
5
6
  """
6
7
  import collections
7
8
  import threading
@@ -13,6 +14,9 @@ from . import lang
13
14
  T = ta.TypeVar('T')
14
15
 
15
16
 
17
+ ##
18
+
19
+
16
20
  class Once:
17
21
  def __init__(self) -> None:
18
22
  super().__init__()
@@ -32,6 +36,9 @@ class Once:
32
36
  return True
33
37
 
34
38
 
39
+ ##
40
+
41
+
35
42
  class Lazy(ta.Generic[T]):
36
43
  def __init__(self) -> None:
37
44
  super().__init__()
@@ -71,6 +78,9 @@ class LazyFn(ta.Generic[T]):
71
78
  return self._v.must()
72
79
 
73
80
 
81
+ ##
82
+
83
+
74
84
  class ConditionDeque(ta.Generic[T]):
75
85
  def __init__(
76
86
  self,
@@ -27,7 +27,6 @@ from _pytest.outcomes import XFailed # noqa
27
27
 
28
28
  from ..... import check
29
29
  from ..... import lang
30
- from ..... import outcome
31
30
  from .backends.base import AsyncsBackend
32
31
  from .utils import is_coroutine_function
33
32
 
@@ -225,14 +224,14 @@ class AsyncsFixture:
225
224
  # process), save any exception that *isn't* Cancelled (because if its Cancelled then we can't route it to
226
225
  # the right place, and anyway the teardown code will get it again if it matters), and then use a shield to
227
226
  # keep waiting for the teardown to finish without having to worry about cancellation.
228
- yield_outcome: outcome.Outcome = outcome.Value(None)
227
+ yield_outcome: lang.Outcome = lang.Value(None)
229
228
  try:
230
229
  for event in self.user_done_events:
231
230
  await event.wait()
232
231
 
233
232
  except BaseException as exc: # noqa
234
233
  check.isinstance(exc, anyio.get_cancelled_exc_class())
235
- yield_outcome = outcome.Error(exc)
234
+ yield_outcome = lang.Error(exc)
236
235
  test_ctx.crash(self, None)
237
236
  with anyio.CancelScope(shield=True):
238
237
  for event in self.user_done_events:
File without changes
@@ -0,0 +1,260 @@
1
+ # ruff: noqa: Q000
2
+ """
3
+ https:#github.com/golang/go/blob/3d33437c450aa74014ea1d41cd986b6ee6266984/src/strconv/quote.go
4
+ """
5
+ # Copyright 2009 The Go Authors.
6
+ #
7
+ # Redistribution and use in source and binary forms, with or without modification, are permitted provided that the
8
+ # following conditions are met:
9
+ #
10
+ # * Redistributions of source code must retain the above copyright notice, this list of conditions and the following
11
+ # disclaimer.
12
+ # * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the
13
+ # following disclaimer in the documentation and/or other materials provided with the distribution.
14
+ # * Neither the name of Google LLC nor the names of its contributors may be used to endorse or promote products
15
+ # derived from this software without specific prior written permission.
16
+ #
17
+ # THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES,
18
+ # INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
19
+ # DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
20
+ # SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR
21
+ # SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
22
+ # WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
23
+ # OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
24
+
25
+
26
+ def unhex(b: str) -> int | None:
27
+ c = ord(b)
28
+ if ord('0') <= c <= ord('9'):
29
+ return c - ord('0')
30
+ elif ord('a') <= c <= ord('f'):
31
+ return c - ord('a') + 10
32
+ elif ord('A') <= c <= ord('F'):
33
+ return c - ord('A') + 10
34
+ else:
35
+ return None
36
+
37
+
38
+ SURROGATE_MIN = 0xD800
39
+ SURROGATE_MAX = 0xDFFF
40
+ MAX_RUNE = ord('\U0010FFFF') # Maximum valid Unicode code point.
41
+
42
+
43
+ def is_valid_utf8(r: int) -> bool:
44
+ if 0 <= r < SURROGATE_MIN:
45
+ return True
46
+ elif SURROGATE_MAX < r <= MAX_RUNE:
47
+ return True
48
+ return False
49
+
50
+
51
+ ##
52
+
53
+
54
+ class UnquoteError(Exception):
55
+ pass
56
+
57
+
58
+ def unquote_char(s: str, quote: str) -> tuple[str, bool, str]: # (value, multibyte, tail)
59
+ # UnquoteChar decodes the first character or byte in the escaped string or character literal represented by the
60
+ # string s. It returns four values:
61
+ #
62
+ # 1. value, the decoded Unicode code point or byte value;
63
+ # 2. multibyte, a boolean indicating whether the decoded character requires a multibyte UTF-8 representation;
64
+ # 3. tail, the remainder of the string after the character; and
65
+ # 4. an error that will be nil if the character is syntactically valid.
66
+ #
67
+ # The second argument, quote, specifies the type of literal being parsed and therefore which escaped quote character
68
+ # is permitted.
69
+ # If set to a single quote, it permits the sequence \' and disallows unescaped '.
70
+ # If set to a double quote, it permits \" and disallows unescaped ".
71
+ # If set to zero, it does not permit either escape and allows both quote characters to appear unescaped.
72
+
73
+ # easy cases
74
+ if not s:
75
+ raise UnquoteError
76
+
77
+ c = s[0]
78
+ if c == quote and quote in '\'"':
79
+ raise UnquoteError
80
+ # elif c >= utf8.graphic_only:
81
+ # r, size = utf8.DecodeRuneInString(s)
82
+ # return r, True, s[size:]
83
+ elif c != '\\':
84
+ return s[0], False, s[1:]
85
+
86
+ # hard case: c is backslash
87
+ if len(s) <= 1:
88
+ raise UnquoteError
89
+
90
+ c = s[1]
91
+ s = s[2:]
92
+ value: str
93
+ multibyte = False
94
+
95
+ if c == 'a':
96
+ value = '\a'
97
+ elif c == 'b':
98
+ value = '\b'
99
+ elif c == 'f':
100
+ value = '\f'
101
+ elif c == 'n':
102
+ value = '\n'
103
+ elif c == 'r':
104
+ value = '\r'
105
+ elif c == 't':
106
+ value = '\t'
107
+ elif c == 'v':
108
+ value = '\v'
109
+ elif c in 'xuU':
110
+ n = 0
111
+ if c == 'x':
112
+ n = 2
113
+ elif c == 'u':
114
+ n = 4
115
+ elif c == 'U':
116
+ n = 8
117
+ if len(s) < n:
118
+ raise UnquoteError
119
+ v = 0
120
+ for j in range(n):
121
+ x = unhex(s[j])
122
+ if x is None:
123
+ raise UnquoteError
124
+ v = v << 4 | x
125
+ s = s[n:]
126
+ if c == 'x':
127
+ try:
128
+ value = chr(v) # noqa
129
+ except ValueError:
130
+ raise UnquoteError from None
131
+ else:
132
+ # single-byte string, possibly not UTF-8
133
+ if not is_valid_utf8(v):
134
+ raise UnquoteError
135
+ try:
136
+ value = chr(v) # noqa
137
+ except ValueError:
138
+ raise UnquoteError from None
139
+ multibyte = True
140
+ elif c in '01234567':
141
+ v = ord(c) - ord('0')
142
+ if len(s) < 2:
143
+ raise UnquoteError
144
+ for j in range(2): # one digit already; two more
145
+ x = ord(s[j]) - ord('0')
146
+ if x < 0 or x > 7:
147
+ raise UnquoteError
148
+ v = (v << 3) | x
149
+ s = s[2:]
150
+ if v > 255:
151
+ raise UnquoteError
152
+ value = chr(v)
153
+ elif c == '\\':
154
+ value = '\\'
155
+ elif c in ('\'', '"'):
156
+ if c != quote:
157
+ raise UnquoteError
158
+ value = c
159
+ else:
160
+ raise UnquoteError
161
+
162
+ tail = s
163
+ return value, multibyte, tail
164
+
165
+
166
+ def unquote_(ins: str, unescape: bool) -> tuple[str, str]: # (out, rem)
167
+ # unquote parses a quoted string at the start of the input, returning the parsed prefix, the remaining suffix, and
168
+ # any parse errors. If unescape is true, the parsed prefix is unescaped, otherwise the input prefix is provided
169
+ # verbatim.
170
+
171
+ # Determine the quote form and optimistically find the terminating quote.
172
+ if len(ins) < 2:
173
+ raise UnquoteError
174
+ quote = ins[0]
175
+ end = ins[1:].find(quote)
176
+ if end < 0:
177
+ raise UnquoteError
178
+ end += 2 # position after terminating quote; may be wrong if escape sequences are present
179
+
180
+ if quote == '`':
181
+ if not unescape:
182
+ out = ins[:end] # include quotes
183
+ elif '\r' not in ins[:end]:
184
+ out = ins[len("`"): end - len("`")] # exclude quotes
185
+ else:
186
+ # Carriage return characters ('\r') inside raw string literals are discarded from the raw string value.
187
+ buf = []
188
+ for i in range(len("`"), end - len("`")):
189
+ if ins[i] != '\r':
190
+ buf.append(ins[i])
191
+ out = ''.join(buf)
192
+
193
+ # NOTE: Prior implementations did not verify that raw strings consist of valid UTF-8 characters and we continue
194
+ # to not verify it as such. The Go specification does not explicitly require valid UTF-8, but only mention that
195
+ # it is implicitly valid for Go source code (which must be valid UTF-8).
196
+ return out, ins[end:]
197
+
198
+ elif quote in ('"', '\''):
199
+ # Handle quoted strings without any escape sequences.
200
+ if '\\' not in ins[:end] and '\n' not in ins[:end]:
201
+ valid = False
202
+ if quote == '"':
203
+ # valid = utf8.ValidString(ins[len('"'): end - len('"')])
204
+ valid = True
205
+ elif quote == '\'':
206
+ # r, n = utf8.DecodeRuneInString(ins[len("'"): end - len("'")])
207
+ # valid = len("'") + n + len("'") == end and (r != utf8.RuneError or n != 1)
208
+ valid = end == 3
209
+ if valid:
210
+ out = ins[:end]
211
+ if unescape:
212
+ out = out[1: end - 1] # exclude quotes
213
+ return out, ins[end:]
214
+
215
+ # Handle quoted strings with escape sequences.
216
+ buf = []
217
+ in0 = ins
218
+ ins = ins[1:] # skip starting quote
219
+
220
+ while ins and ins[0] != quote:
221
+ # Process the next character, rejecting any unescaped newline characters which are invalid.
222
+ r, multibyte, rem = unquote_char(ins, quote)
223
+ if ins[0] == '\n':
224
+ raise UnquoteError
225
+ ins = rem
226
+
227
+ # Append the character if unescaping the input.
228
+ if unescape:
229
+ # if r < utf8.RuneSelf or not multibyte:
230
+ # buf.append(byte(r))
231
+ # else:
232
+ buf.append(r)
233
+
234
+ # Single quoted strings must be a single character.
235
+ if quote == '\'':
236
+ break
237
+
238
+ # Verify that the string ends with a terminating quote.
239
+ if not (ins and ins[0] == quote):
240
+ raise UnquoteError
241
+
242
+ ins = ins[1:] # skip terminating quote
243
+
244
+ if unescape:
245
+ return ''.join(buf), ins
246
+
247
+ return in0[:len(in0) - len(ins)], ins
248
+
249
+ else:
250
+ raise UnquoteError
251
+
252
+
253
+ def unquote(s: str) -> str:
254
+ # Unquote interprets s as a single-quoted, double-quoted, or backquoted Go string literal, returning the string
255
+ # value that s quotes. (If s is single-quoted, it would be a Go character literal; Unquote returns the
256
+ # corresponding one-character string.)
257
+ out, rem = unquote_(s, True)
258
+ if rem:
259
+ raise UnquoteError
260
+ return out
omlish/text/parts.py CHANGED
@@ -72,40 +72,47 @@ class Meta(DataPart):
72
72
 
73
73
 
74
74
  class PartTransform:
75
+ def __call__(self, part: Part | None) -> Part:
76
+ return self._transform(part)
77
+
75
78
  @dispatch.method
76
- def __call__(self, part: Part) -> Part:
79
+ def _transform(self, part: Part | None) -> Part:
77
80
  raise TypeError(part)
78
81
 
79
- @__call__.register
80
- def __call__str(self, part: str) -> Part:
82
+ @_transform.register
83
+ def _transform_none(self, part: None) -> Part:
84
+ return []
85
+
86
+ @_transform.register
87
+ def _transform_str(self, part: str) -> Part:
81
88
  return part
82
89
 
83
- @__call__.register
84
- def __call__sequence(self, part: collections.abc.Sequence) -> Part:
90
+ @_transform.register
91
+ def _transform_sequence(self, part: collections.abc.Sequence) -> Part:
85
92
  return [self(c) for c in part]
86
93
 
87
- @__call__.register
88
- def __call__wrap(self, part: Wrap) -> Part:
94
+ @_transform.register
95
+ def _transform_wrap(self, part: Wrap) -> Part:
89
96
  return Wrap(self(part.part), part.wrapper)
90
97
 
91
- @__call__.register
92
- def __call__list(self, part: List) -> Part:
98
+ @_transform.register
99
+ def _transform_list(self, part: List) -> Part:
93
100
  return List([self(c) for c in part.parts], part.delimiter, part.trailer)
94
101
 
95
- @__call__.register
96
- def __call__concat(self, part: Concat) -> Part:
102
+ @_transform.register
103
+ def _transform_concat(self, part: Concat) -> Part:
97
104
  return Concat([self(c) for c in part.parts])
98
105
 
99
- @__call__.register
100
- def __call__block(self, part: Block) -> Part:
106
+ @_transform.register
107
+ def _transform_block(self, part: Block) -> Part:
101
108
  return Block([self(c) for c in part.parts])
102
109
 
103
- @__call__.register
104
- def __call__section(self, part: Section) -> Part:
110
+ @_transform.register
111
+ def _transform_section(self, part: Section) -> Part:
105
112
  return Section([self(c) for c in part.parts])
106
113
 
107
- @__call__.register
108
- def __call__meta(self, part: Meta) -> Meta:
114
+ @_transform.register
115
+ def _transform_meta(self, part: Meta) -> Meta:
109
116
  return part
110
117
 
111
118
 
@@ -113,8 +120,8 @@ class PartTransform:
113
120
 
114
121
 
115
122
  class RemoveMetas(PartTransform):
116
- @PartTransform.__call__.register
117
- def __call__meta(self, part: Meta) -> Part:
123
+ @PartTransform._transform.register # noqa
124
+ def _transform_meta(self, part: Meta) -> Part:
118
125
  return []
119
126
 
120
127
 
@@ -137,27 +144,27 @@ def _drop_empties(it: ta.Iterable[T]) -> list[T]:
137
144
 
138
145
 
139
146
  class CompactPart(PartTransform):
140
- @PartTransform.__call__.register
141
- def __call__sequence(self, part: collections.abc.Sequence) -> Part:
147
+ @PartTransform._transform.register # noqa
148
+ def _transform_sequence(self, part: collections.abc.Sequence) -> Part:
142
149
  return _drop_empties(self(c) for c in part)
143
150
 
144
- @PartTransform.__call__.register
145
- def __call__list(self, part: List) -> Part:
151
+ @PartTransform._transform.register # noqa
152
+ def _transform_list(self, part: List) -> Part:
146
153
  parts = _drop_empties(self(c) for c in part.parts)
147
154
  return List(parts, part.delimiter, part.trailer) if parts else []
148
155
 
149
- @PartTransform.__call__.register
150
- def __call__concat(self, part: Concat) -> Part:
156
+ @PartTransform._transform.register # noqa
157
+ def _transform_concat(self, part: Concat) -> Part:
151
158
  parts = _drop_empties(self(c) for c in part.parts)
152
159
  return Concat(parts) if parts else []
153
160
 
154
- @PartTransform.__call__.register
155
- def __call__block(self, part: Block) -> Part:
161
+ @PartTransform._transform.register # noqa
162
+ def _transform_block(self, part: Block) -> Part:
156
163
  parts = _drop_empties(self(c) for c in part.parts)
157
164
  return Block(parts) if parts else []
158
165
 
159
- @PartTransform.__call__.register
160
- def __call__section(self, part: Section) -> Part:
166
+ @PartTransform._transform.register # noqa
167
+ def _transform_section(self, part: Section) -> Part:
161
168
  parts = _drop_empties(self(c) for c in part.parts)
162
169
  return Section(parts) if parts else []
163
170
 
@@ -204,29 +211,36 @@ class PartRenderer:
204
211
  self._blank_lines += n
205
212
  self._has_indented = False
206
213
 
214
+ def __call__(self, part: Part | None) -> None:
215
+ return self._render(part)
216
+
207
217
  @dispatch.method
208
- def __call__(self, part: Part) -> None:
218
+ def _render(self, part: Part | None) -> None:
209
219
  raise TypeError(part)
210
220
 
211
- @__call__.register
212
- def __call__str(self, part: str) -> None:
221
+ @_render.register
222
+ def _render_none(self, part: None) -> None:
223
+ pass
224
+
225
+ @_render.register
226
+ def _render_str(self, part: str) -> None:
213
227
  self._write(part)
214
228
 
215
- @__call__.register
216
- def __call__sequence(self, part: collections.abc.Sequence) -> None:
229
+ @_render.register
230
+ def _render_sequence(self, part: collections.abc.Sequence) -> None:
217
231
  for i, c in enumerate(part):
218
232
  if i:
219
233
  self._write(' ')
220
234
  self(c)
221
235
 
222
- @__call__.register
223
- def __call__wrap(self, part: Wrap) -> None:
236
+ @_render.register
237
+ def _render_wrap(self, part: Wrap) -> None:
224
238
  self._write(part.wrapper[0])
225
239
  self(part.part)
226
240
  self._write(part.wrapper[1])
227
241
 
228
- @__call__.register
229
- def __call__list(self, part: List) -> None:
242
+ @_render.register
243
+ def _render_list(self, part: List) -> None:
230
244
  for i, c in enumerate(part.parts):
231
245
  if i:
232
246
  self._write(part.delimiter + ' ')
@@ -234,19 +248,19 @@ class PartRenderer:
234
248
  if part.trailer:
235
249
  self._write(part.delimiter)
236
250
 
237
- @__call__.register
238
- def __call__concat(self, part: Concat) -> None:
251
+ @_render.register
252
+ def _render_concat(self, part: Concat) -> None:
239
253
  for c in part.parts:
240
254
  self(c)
241
255
 
242
- @__call__.register
243
- def __call__block(self, part: Block) -> None:
256
+ @_render.register
257
+ def _render_block(self, part: Block) -> None:
244
258
  for c in part.parts:
245
259
  self(c)
246
260
  self._write_newline()
247
261
 
248
- @__call__.register
249
- def __call__section(self, part: Section) -> None:
262
+ @_render.register
263
+ def _render_section(self, part: Section) -> None:
250
264
  self._indents += 1
251
265
  try:
252
266
  for c in part.parts:
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.2
2
2
  Name: omlish
3
- Version: 0.0.0.dev254
3
+ Version: 0.0.0.dev256
4
4
  Summary: omlish
5
5
  Author: wrmsr
6
6
  License: BSD-3-Clause