forked from rustyrussell/runes
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathrunes.py
371 lines (312 loc) · 13.3 KB
/
runes.py
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
import base64
import copy
import hashlib
import re
# We can't use the hashlib one, since we need midstate access :(
import sha256 # type: ignore
import string
from typing import Dict, Sequence, Optional, Tuple, Any
__version__ = "0.3.1"
def padlen_64(x: int):
"""Amount which will increase x until it's divisible evenly by 64"""
return (64 - (x % 64)) % 64
def end_shastream(length: int):
"""Simulate an SHA-256 ending pad (1 bit, zero bad, 64-bit length)"""
padlen = padlen_64(length + 1 + 8)
return bytes([0x80]) + bytes(padlen) + int.to_bytes(length * 8, 8, 'big')
class Alternative(object):
"""One of possibly several conditions which could be met"""
def __init__(self, field: str, cond: str, value: str):
if any([c in string.punctuation for c in field]):
raise ValueError("field not valid")
if cond not in ('!', '=', '/', '^', '$', '~', '<', '>', '}', '{', '#'):
raise ValueError("cond not valid")
self.field = field
self.value = value
self.cond = cond
def test(self, values: Dict[str, Any]) -> Optional[str]:
"""Returns None on success, otherwise an explanation string"""
# This is always True
if self.cond == '#':
return None
def why(cond, field, explanation) -> Optional[str]:
if cond:
return None
return '{}: {}'.format(field, explanation)
# If it's missing, it's only True if it's a missing test.
if self.field not in values:
return why(self.cond == '!', self.field, 'is missing')
val = str(values[self.field])
if self.cond == '!':
return why(False, self.field, 'is present')
elif self.cond == '=':
return why(val == self.value,
self.field,
'!= {}'.format(self.value))
elif self.cond == '/':
return why(val != self.value,
self.field,
'= {}'.format(self.value))
elif self.cond == '^':
return why(val.startswith(self.value),
self.field,
'does not start with {}'.format(self.value))
elif self.cond == '$':
return why(val.endswith(self.value),
self.field,
'does not end with {}'.format(self.value))
elif self.cond == '~':
return why(self.value in val,
self.field,
'does not contain {}'.format(self.value))
elif self.cond == '<':
try:
actual_int = int(val)
except ValueError:
return why(False, self.field, "not an integer field")
try:
restriction_val = int(self.value)
except ValueError:
return why(False, self.field, "not a valid integer")
return why(actual_int < restriction_val,
self.field,
">= {}".format(restriction_val))
elif self.cond == '>':
try:
actual_int = int(val)
except ValueError:
return why(False, self.field, "not an integer field")
try:
restriction_val = int(self.value)
except ValueError:
return why(False, self.field, "not a valid integer")
return why(actual_int > restriction_val,
self.field,
"<= {}".format(restriction_val))
elif self.cond == '{':
return why(val < self.value,
self.field,
'is the same or ordered after {}'.format(self.value))
elif self.cond == '}':
return why(val > self.value,
self.field,
'is the same or ordered before {}'.format(self.value))
else:
# We checked this in init!
assert False
def encode(self) -> str:
return self.field + self.cond + (self.value
.replace('\\', '\\\\')
.replace('|', '\\|')
.replace('&', '\\&'))
@classmethod
def decode(cls, encstr: str) -> Tuple['Alternative', str]:
"""Pull an Alternative from encoded string, return remainder"""
cond = None
end_off = 0
# Swallow field up to conditiona
while end_off < len(encstr):
if encstr[end_off] in string.punctuation:
cond = encstr[end_off]
break
end_off += 1
if cond is None:
raise ValueError('{} does not contain any operator'
.format(encstr))
field = encstr[:end_off]
end_off += 1
value = ''
while end_off < len(encstr):
if encstr[end_off] == '|':
# We swallow this
end_off += 1
break
if encstr[end_off] == '&':
break
if encstr[end_off] == '\\':
end_off += 1
value += encstr[end_off]
end_off += 1
return cls(field, cond, value), encstr[end_off:]
@classmethod
def from_str(cls, encstr: str) -> 'Alternative':
"""Turns this user-readable string into an Alternative (no escaping)"""
encstr = re.sub(r'\s+', '', encstr)
return cls(*re.split('([' + string.punctuation + '])', encstr, maxsplit=1))
def __eq__(self, other) -> bool:
return (self.field == other.field
and self.value == other.value
and self.cond == other.cond)
class Restriction(object):
"""A restriction is a set of alternatives: any of those pass, the
restriction is met"""
def __init__(self, alternatives: Sequence[Alternative]):
self.alternatives = alternatives
def test(self, values: Dict[str, Any]) -> Optional[str]:
"""Returns None on success, otherwise a string of all the failures"""
reasons = []
for alt in self.alternatives:
reason = alt.test(values)
if reason is None:
return None
reasons.append(reason)
return " AND ".join(reasons)
def encode(self) -> str:
return '|'.join([alt.encode() for alt in self.alternatives])
@classmethod
def decode(cls, encstr: str) -> Tuple['Restriction', str]:
"""Pull a Restriction from encoded string, return remainder"""
alts = []
while len(encstr) != 0:
if encstr.startswith('&'):
encstr = encstr[1:]
break
alt, encstr = Alternative.decode(encstr)
alts.append(alt)
return cls(alts), encstr
@classmethod
def from_str(cls, encstr: str) -> 'Restriction':
"""Returns a Restriction from an escaped string (ignoring whitespace)"""
encstr = re.sub(r'\s+', '', encstr)
ret, remainder = cls.decode(encstr)
if len(remainder) != 0:
raise ValueError("Restriction had extrs characters at end: {}"
.format(remainder))
return ret
def __eq__(self, other) -> bool:
return list(self.alternatives) == list(other.alternatives)
class Rune(object):
"""A Rune, such as you might get from a server. You can add
restrictions and it will still be valid"""
def __init__(self,
authcode: bytes,
restrictions: Sequence[Restriction] = []):
self.restrictions = list(restrictions)
# How many bytes encoded so far? (seed block is 64 bytes)
runelength = 64
for r in restrictions:
runelength += len(r.encode())
runelength += padlen_64(runelength)
# Replace with real shastate (aka authcode)
self.shaobj = sha256.sha256()
self.shaobj.state = (authcode, runelength)
def add_restriction(self, restriction: Restriction) -> None:
self.restrictions.append(restriction)
self.shaobj.update(bytes(restriction.encode(), encoding='utf8'))
self.shaobj.update(end_shastream(self.shaobj.state[1]))
def are_restrictions_met(self, values: Dict[str, Any]) -> Tuple[bool, str]:
"""Tests the restrictions against the values dict given. Normally
values are treated strings, but < and > conditions only work
if they're actually integers.
Returns (True, '') if everything is good. Otherwise, returns
(False, reasonstring)
""",
for r in self.restrictions:
reasons = r.test(values)
if reasons is not None:
return False, reasons
return True, ''
def authcode(self) -> bytes:
return self.shaobj.state[0]
def to_base64(self) -> str:
restrstr = '&'.join([r.encode() for r in self.restrictions])
binstr = base64.urlsafe_b64encode(self.authcode()
+ bytes(restrstr, encoding='utf8'))
return binstr.decode('utf8')
@classmethod
def from_base64(cls, b64str) -> 'Rune':
binstr = base64.urlsafe_b64decode(b64str)
restrictions = []
restrictstr = binstr[32:].decode('utf8')
while len(restrictstr) != 0:
restr, restrictstr = Restriction.decode(restrictstr)
restrictions.append(restr)
return cls(binstr[:32], restrictions)
def __eq__(self, other) -> bool:
return (self.restrictions == other.restrictions
and self.shaobj.state == other.shaobj.state)
def copy(self) -> 'Rune':
"""Perform a shallow copy"""
return self.__copy__()
def __copy__(self) -> 'Rune':
# You don't want to share the shaobj!
return Rune(self.shaobj.state[0], self.restrictions)
def __deepcopy__(self, memo=None) -> 'Rune':
"""sha256.sha256 doesn't implement pickle"""
return Rune(self.shaobj.state[0], copy.deepcopy(self.restrictions))
class MasterRune(Rune):
"""This is where the server creates the Rune"""
def __init__(self,
seedsecret: bytes,
restrictions: Sequence[Restriction] = []):
self.restrictions = []
# Everyone assumes that seed secret takes 1 block only
assert len(seedsecret) + 1 + 8 <= 64
self.shaobj = sha256.sha256()
self.shaobj.update(seedsecret + end_shastream(len(seedsecret)))
for r in restrictions:
self.add_restriction(r)
# For fast calc using hashlib
self.shabase = hashlib.sha256()
self.shabase.update(seedsecret)
self.seclen = len(seedsecret)
def copy(self) -> 'Rune':
"""Perform a shallow copy"""
return self.__copy__()
def __copy__(self) -> 'MasterRune':
# Create dummy so we can populate it (we don't store secret)
ret = MasterRune(bytes())
ret.restrictions = self.restrictions.copy()
ret.shaobj.state = self.shaobj.state
ret.shabase = self.shabase
ret.seclen = self.seclen
return ret
def __deepcopy__(self, memo=None) -> 'MasterRune':
"""sha256.sha256 doesn't implement pickle"""
ret = MasterRune(bytes())
ret.restrictions = copy.deepcopy(self.restrictions)
ret.shaobj.state = self.shaobj.state
ret.shabase = self.shabase
ret.seclen = self.seclen
return ret
def is_rune_authorized(self, other: Rune) -> bool:
"""This is faster than adding the restrictions one-by-one and checking
the final authcode (but equivalent)"""
# Make copy, as we're going to update state.
sha = self.shabase.copy()
totlen = self.seclen
for r in other.restrictions:
pad = end_shastream(totlen)
sha.update(pad)
totlen += len(pad)
enc = bytes(r.encode(), encoding='utf8')
sha.update(enc)
totlen += len(enc)
return other.authcode() == sha.digest()
def check_with_reason(self, b64str: str, values: Dict[str, Any]) -> Tuple[bool, str]:
"""All-in-one check that a runestring is valid, derives from this
MasterRune and passes all its conditions against the given dictionary
of values"""
try:
rune = Rune.from_base64(b64str)
except: # noqa: E722
return False, "runestring invalid"
if not self.is_rune_authorized(rune):
return False, "rune authcode invalid"
return rune.are_restrictions_met(values)
def check_with_reason(secret: bytes, b64str: str, values: Dict[str, Any]) -> Tuple[bool, str]:
"""Convenience function that the b64str runestring is valid, derives
from our secret, and passes against these values. If you want to
check many runes, it's more efficient to create the MasterRune first
then check them, but this is fine if you're only checking one.
"""
return MasterRune(secret).check_with_reason(b64str, values)
def check(secret: bytes, b64str: str, values: Dict[str, Any]) -> bool:
"""Convenience function that the b64str runestring is valid, derives
from our secret, and passes against these values. If you want to
check many runes, it's more efficient to create the MasterRune first
then check them, but this is fine if you're only checking one.
Unlike check_with_reason(), this discards the reason and returns a
simple True or False.
"""
return check_with_reason(secret, b64str, values)[0]