forked from EDITD/riak-python-client
-
Notifications
You must be signed in to change notification settings - Fork 0
/
commands.py
391 lines (321 loc) · 12.6 KB
/
commands.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
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
# Copyright 2010-present Basho Technologies, Inc.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
import csv
import os
import os.path
import re
from distutils import log
from distutils.core import Command
from distutils.errors import DistutilsOptionError
from distutils.file_util import write_file
from subprocess import PIPE, Popen
__all__ = ["build_messages", "setup_timeseries"]
# Exception classes used by this module.
class CalledProcessError(Exception):
"""This exception is raised when a process run by check_call() or
check_output() returns a non-zero exit status.
The exit status will be stored in the returncode attribute;
check_output() will also store the output in the output attribute.
"""
def __init__(self, returncode, cmd, output=None):
self.returncode = returncode
self.cmd = cmd
self.output = output
def __str__(self):
return f"Command '{self.cmd}' returned non-zero exit status {self.returncode}"
def check_output(*popenargs, **kwargs):
"""Run command with arguments and return its output as a byte string.
If the exit code was non-zero it raises a CalledProcessError. The
CalledProcessError object will have the return code in the returncode
attribute and output in the output attribute.
The arguments are the same as for the Popen constructor. Example:
>>> check_output(["ls", "-l", "/dev/null"])
'crw-rw-rw- 1 root root 1, 3 Oct 18 2007 /dev/null\n'
The stdout argument is not allowed as it is used internally.
To capture standard error in the result, use stderr=STDOUT.
>>> import sys
>>> check_output(["/bin/sh", "-c",
... "ls -l non_existent_file ; exit 0"],
... stderr=sys.stdout)
'ls: non_existent_file: No such file or directory\n'
"""
if "stdout" in kwargs:
raise ValueError("stdout argument not allowed, it will be overridden.")
process = Popen(stdout=PIPE, *popenargs, **kwargs)
output, unused_err = process.communicate()
retcode = process.poll()
if retcode:
cmd = kwargs.get("args")
if cmd is None:
cmd = popenargs[0]
raise CalledProcessError(retcode, cmd, output=output)
return output
try:
import simplejson as json
except ImportError:
import json
class bucket_type_commands:
def initialize_options(self):
self.riak_admin = None
def finalize_options(self):
if self.riak_admin is None:
raise DistutilsOptionError("riak-admin option not set")
def run(self):
if self._check_available():
for name in self._props:
self._create_and_activate_type(name, self._props[name])
def check_output(self, *args, **kwargs):
if self.dry_run:
log.info(" ".join(args))
return bytearray()
else:
return check_output(*args, **kwargs)
def _check_available(self):
try:
self.check_btype_command("list")
return True
except CalledProcessError:
log.error("Bucket types are not supported on this Riak node!")
return False
def _create_and_activate_type(self, name, props):
# Check status of bucket-type
exists = False
active = False
try:
status = self.check_btype_command("status", name)
except CalledProcessError as e:
status = e.output
exists = ("not an existing bucket type" not in status.decode("ascii"))
active = ("is active" in status.decode("ascii"))
if exists or active:
log.info(f"Updating {repr(name)} bucket-type with props {repr(props)}")
self.check_btype_command(
"update", name, json.dumps({"props": props}, separators=(",", ":")),
)
else:
log.info(f"Creating {repr(name)} bucket-type with props {repr(props)}")
self.check_btype_command(
"create", name, json.dumps({"props": props}, separators=(",", ":")),
)
if not active:
log.info(f"Activating {repr(name)} bucket-type")
self.check_btype_command("activate", name)
def check_btype_command(self, *args):
cmd = self._btype_command(*args)
return self.check_output(cmd)
def run_btype_command(self, *args):
self.spawn(self._btype_command(*args))
def _btype_command(self, *args):
cmd = [self.riak_admin, "bucket-type"]
cmd.extend(args)
return cmd
class setup_timeseries(bucket_type_commands, Command):
"""
Creates bucket-types appropriate for timeseries.
"""
description = "create bucket-types used in timeseries tests"
user_options = [("riak-admin=", None, "path to the riak-admin script")]
_props = {
"GeoCheckin": {
"n_val": 3,
"table_def": """
CREATE TABLE GeoCheckin (
geohash varchar not null,
user varchar not null,
time timestamp not null,
weather varchar not null,
temperature double,
PRIMARY KEY(
(geohash, user, quantum(time, 15, m)),
geohash, user, time
)
)""",
},
}
class ComparableMixin(object):
def _compare(self, other, method):
try:
return method(self._cmpkey(), other._cmpkey())
except (AttributeError, TypeError):
# _cmpkey not implemented, or return different type,
# so I can't compare with "other".
return NotImplemented
def __lt__(self, other):
return self._compare(other, lambda s, o: s < o)
def __le__(self, other):
return self._compare(other, lambda s, o: s <= o)
def __eq__(self, other):
return self._compare(other, lambda s, o: s == o)
def __ge__(self, other):
return self._compare(other, lambda s, o: s >= o)
def __gt__(self, other):
return self._compare(other, lambda s, o: s > o)
def __ne__(self, other):
return self._compare(other, lambda s, o: s != o)
class MessageCodeMapping(ComparableMixin):
def __init__(self, code, message, proto):
self.code = int(code)
self.message = message
self.proto = proto
self.message_code_name = self._message_code_name()
self.module_name = f"riak.pb.{self.proto}_pb2"
self.message_class = self._message_class()
def _cmpkey(self):
return self.code
def __hash__(self):
return self.code
def _message_code_name(self):
strip_rpb = re.sub(r"^Rpb", "", self.message)
word = re.sub(r"([A-Z]+)([A-Z][a-z])", r"\1_\2", strip_rpb)
word = re.sub(r"([a-z\d])([A-Z])", r"\1_\2", word)
word = word.replace("-", "_")
return "MSG_CODE_" + word.upper()
def _message_class(self):
try:
pbmod = __import__(self.module_name, globals(), locals(),
[self.message])
klass = pbmod.__dict__[self.message]
return klass
except KeyError:
log.warn("Did not find '%s' message class in module '%s'",
self.message, self.module_name)
except ImportError as e:
log.error("Could not import module '%s', exception: %s",
self.module_name, e)
raise
return None
# NOTE: TO RUN THIS SUCCESSFULLY, YOU NEED TO HAVE THESE
# PACKAGES INSTALLED:
# protobuf or python3_protobuf
#
# Run the following command to install them:
# python setup.py install
#
# TO DEBUG: Set DISTUTILS_DEBUG=1 in the environment or run as
# 'python setup.py -vv build_messages'
class build_messages(Command):
"""
Generates message code mappings. Add to the build process using::
setup(cmd_class={'build_messages': build_messages})
"""
description = "generate protocol message code mappings"
user_options = [
("source=", None, "source CSV file containing message code mappings"),
("destination=", None, "destination Python source file"),
]
# Used in loading and generating
_pb_imports = set()
_messages = set()
_linesep = os.linesep
_indented_item_sep = f",{_linesep} "
_docstring = [
""
"# This is a generated file. DO NOT EDIT.",
"",
'"""',
"Constants and mappings between Riak protocol codes and messages.",
'"""',
"",
]
def initialize_options(self):
self.source = None
self.destination = None
self.update_import = None
def finalize_options(self):
if self.source is None:
self.source = "riak_pb/src/riak_pb_messages.csv"
if self.destination is None:
self.destination = "riak/pb/messages.py"
def run(self):
self.force = True
self.make_file(self.source, self.destination,
self._load_and_generate, [])
def _load_and_generate(self):
self._update_pb_pathnames()
self._load()
self._generate()
def _load(self):
with open(self.source, "r", buffering=1) as csvfile:
reader = csv.reader(csvfile)
for row in reader:
message = MessageCodeMapping(*row)
self._messages.add(message)
self._pb_imports.add(message.module_name)
def _generate(self):
self._contents = []
self._generate_doc()
self._generate_imports()
self._generate_codes()
self._generate_classes()
write_file(self.destination, self._contents)
def _generate_doc(self):
# Write the license and docstring header
self._contents.extend(self._docstring)
def _generate_imports(self):
# Write imports
for im in sorted(self._pb_imports):
self._contents.append("import {0}".format(im))
def _generate_codes(self):
# Write protocol code constants
self._contents.extend(["", "# Protocol codes"])
for message in sorted(self._messages):
self._contents.append(f"{message.message_code_name} = {message.code}")
def _generate_classes(self):
# Write message classes
classes = [self._generate_mapping(message) for message in sorted(self._messages)]
classes = self._indented_item_sep.join(classes)
self._contents.extend([
"",
"# Mapping from code to protobuf class",
"MESSAGE_CLASSES = {",
" " + classes,
"}",
])
def _generate_mapping(self, m):
if m.message_class is not None:
klass = f"{m.module_name}.{m.message_class.__name__}"
else:
klass = "None"
pair = "{0}: {1}".format(m.message_code_name, klass)
if len(pair) > 76:
# Try to satisfy PEP8, lulz
pair = (self._linesep + " ").join(pair.split(" "))
return pair
def _update_pb_pathnames(self):
"""
Change the PB files for Python 3
"""
pb_files = set()
with open(self.source, "r", buffering=1) as csvfile:
reader = csv.reader(csvfile)
for row in reader:
_, _, proto = row
pb_files.add("riak/pb/{0}_pb2.py".format(proto))
for im in sorted(pb_files):
with open(im, "r", buffering=1) as pbfile:
contents = pbfile.read()
contents = re.sub(r"riak_pb2",
r"riak.pb.riak_pb2",
contents)
contents = re.sub(r"serialized_pb='",
r"serialized_pb=b'",
contents)
contents = re.sub(r"\):\n __metaclass__ = (.*)",
r", metaclass=\1):",
contents)
contents = re.sub(r"(_descriptor._ParseOptions\(descriptor_pb2.FileOptions\(\), )'",
r"\1b'",
contents)
with open(im, "w", buffering=1) as pbfile:
pbfile.write(contents)