source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(document, coords):
return setattribs(document.createElement('line'), x1=coords[0], y1=
coords[1], x2=coords[2], y2=coords[3])
| segment_to_line | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(document, coords):\n return setattribs(document.createElement('line'), x1=coords[0], y1=\n coords[1], x2=coords[2], y2=coords[3])\n",
"role": "user"
},
{
"content": "segment_to_line",
"role": "assistant"
}
] |
def x(document, coords):
points = []
for i in range(0, len(coords), 2):
points.append('%s,%s' % (coords[i], coords[i + 1]))
return setattribs(document.createElement('polyline'), points=' '.join(
points))
| polyline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(document, coords):\n points = []\n for i in range(0, len(coords), 2):\n points.append('%s,%s' % (coords[i], coords[i + 1]))\n return setattribs(document.createElement('polyline'), points=' '.join(\n points))\n",
"role": "user"
},
{
"content": "polyline",
"role": "assistant"
}
] |
def x(document, coords):
element = document.createElement('path')
path = []
points = [(coords[i], coords[i + 1]) for i in range(0, len(coords), 2)]
def x(points):
x0, y0 = points[0]
x1, y1 = points[1]
p0 = 2 * x0 - x1, 2 * y0 - y1
x0, y0 = points[-1]
x1, y1 = points[-2]
pn = 2 * x0 - x1, 2 * y0 - y1
p = [p0] + points[1:-1] + [pn]
for i in range(1, len(points) - 1):
a = p[i - 1]
b = p[i]
c = p[i + 1]
yield lerp(a, b, 0.5), b, lerp(b, c, 0.5)
for i, (A, B, C) in enumerate(pt(points)):
if i == 0:
path.append('M%s,%s Q%s,%s %s,%s' % (A[0], A[1], B[0], B[1], C[
0], C[1]))
else:
path.append('T%s,%s' % (C[0], C[1]))
element.setAttribute('d', ' '.join(path))
return element
| smoothline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(document, coords):\n element = document.createElement('path')\n path = []\n points = [(coords[i], coords[i + 1]) for i in range(0, len(coords), 2)]\n\n def x(points):\n x0, y0 = points[0]\n x1, y1 = points[1]\n p0 = 2 * x0 - x1, 2 * y0 - y1\n x0, y0 = points[-1]\n x1, y1 = points[-2]\n pn = 2 * x0 - x1, 2 * y0 - y1\n p = [p0] + points[1:-1] + [pn]\n for i in range(1, len(points) - 1):\n a = p[i - 1]\n b = p[i]\n c = p[i + 1]\n yield lerp(a, b, 0.5), b, lerp(b, c, 0.5)\n for i, (A, B, C) in enumerate(pt(points)):\n if i == 0:\n path.append('M%s,%s Q%s,%s %s,%s' % (A[0], A[1], B[0], B[1], C[\n 0], C[1]))\n else:\n path.append('T%s,%s' % (C[0], C[1]))\n element.setAttribute('d', ' '.join(path))\n return element\n",
"role": "user"
},
{
"content": "smoothline",
"role": "assistant"
}
] |
def x(document, coords):
element = document.createElement('path')
points = [(coords[i], coords[i + 1]) for i in range(0, len(coords), 2)]
path = ['M%s %s' % points[0]]
for n in xrange(1, len(points), 3):
A, B, C = points[n:n + 3]
path.append('C%s,%s %s,%s %s,%s' % (A[0], A[1], B[0], B[1], C[0], C[1])
)
element.setAttribute('d', ' '.join(path))
return element
| cubic_bezier | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(document, coords):\n element = document.createElement('path')\n points = [(coords[i], coords[i + 1]) for i in range(0, len(coords), 2)]\n path = ['M%s %s' % points[0]]\n for n in xrange(1, len(points), 3):\n A, B, C = points[n:n + 3]\n path.append('C%s,%s %s,%s %s,%s' % (A[0], A[1], B[0], B[1], C[0], C[1])\n )\n element.setAttribute('d', ' '.join(path))\n return element\n",
"role": "user"
},
{
"content": "cubic_bezier",
"role": "assistant"
}
] |
def x(document, coords):
element = document.createElement('path')
path = []
points = [(coords[i], coords[i + 1]) for i in range(0, len(coords), 2)]
def x(points):
p = points
n = len(points)
for i in range(0, len(points)):
a = p[(i - 1) % n]
b = p[i]
c = p[(i + 1) % n]
yield lerp(a, b, 0.5), b, lerp(b, c, 0.5)
for i, (A, B, C) in enumerate(pt(points)):
if i == 0:
path.append('M%s,%s Q%s,%s %s,%s' % (A[0], A[1], B[0], B[1], C[
0], C[1]))
else:
path.append('T%s,%s' % (C[0], C[1]))
path.append('z')
element.setAttribute('d', ' '.join(path))
return element
| smoothpolygon | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(document, coords):\n element = document.createElement('path')\n path = []\n points = [(coords[i], coords[i + 1]) for i in range(0, len(coords), 2)]\n\n def x(points):\n p = points\n n = len(points)\n for i in range(0, len(points)):\n a = p[(i - 1) % n]\n b = p[i]\n c = p[(i + 1) % n]\n yield lerp(a, b, 0.5), b, lerp(b, c, 0.5)\n for i, (A, B, C) in enumerate(pt(points)):\n if i == 0:\n path.append('M%s,%s Q%s,%s %s,%s' % (A[0], A[1], B[0], B[1], C[\n 0], C[1]))\n else:\n path.append('T%s,%s' % (C[0], C[1]))\n path.append('z')\n element.setAttribute('d', ' '.join(path))\n return element\n",
"role": "user"
},
{
"content": "smoothpolygon",
"role": "assistant"
}
] |
def x(document, coords):
x1, y1, x2, y2 = coords
if x2 - x1 == y2 - y1:
return setattribs(document.createElement('circle'), cx=(x1 + x2) /
2, cy=(y1 + y2) / 2, r=abs(x2 - x1) / 2)
else:
return setattribs(document.createElement('ellipse'), cx=(x1 + x2) /
2, cy=(y1 + y2) / 2, rx=abs(x2 - x1) / 2, ry=abs(y2 - y1) / 2)
return element
| oval | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(document, coords):\n x1, y1, x2, y2 = coords\n if x2 - x1 == y2 - y1:\n return setattribs(document.createElement('circle'), cx=(x1 + x2) / \n 2, cy=(y1 + y2) / 2, r=abs(x2 - x1) / 2)\n else:\n return setattribs(document.createElement('ellipse'), cx=(x1 + x2) /\n 2, cy=(y1 + y2) / 2, rx=abs(x2 - x1) / 2, ry=abs(y2 - y1) / 2)\n return element\n",
"role": "user"
},
{
"content": "oval",
"role": "assistant"
}
] |
def x(document, bounding_rect, start, extent, style):
x1, y1, x2, y2 = bounding_rect
import math
cx = (x1 + x2) / 2.0
cy = (y1 + y2) / 2.0
rx = (x2 - x1) / 2.0
ry = (y2 - y1) / 2.0
start = math.radians(float(start))
extent = math.radians(float(extent))
x1 = rx * math.cos(start) + cx
y1 = -ry * math.sin(start) + cy
x2 = rx * math.cos(start + extent) + cx
y2 = -ry * math.sin(start + extent) + cy
if abs(extent) > math.pi:
fa = 1
else:
fa = 0
if extent > 0.0:
fs = 0
else:
fs = 1
path = []
path.append('M%s,%s' % (x1, y1))
path.append('A%s,%s 0 %d %d %s,%s' % (rx, ry, fa, fs, x2, y2))
if style == ARC:
pass
elif style == CHORD:
path.append('z')
else:
path.append('L%s,%s' % (cx, cy))
path.append('z')
return setattribs(document.createElement('path'), d=''.join(path))
| arc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(document, bounding_rect, start, extent, style):\n x1, y1, x2, y2 = bounding_rect\n import math\n cx = (x1 + x2) / 2.0\n cy = (y1 + y2) / 2.0\n rx = (x2 - x1) / 2.0\n ry = (y2 - y1) / 2.0\n start = math.radians(float(start))\n extent = math.radians(float(extent))\n x1 = rx * math.cos(start) + cx\n y1 = -ry * math.sin(start) + cy\n x2 = rx * math.cos(start + extent) + cx\n y2 = -ry * math.sin(start + extent) + cy\n if abs(extent) > math.pi:\n fa = 1\n else:\n fa = 0\n if extent > 0.0:\n fs = 0\n else:\n fs = 1\n path = []\n path.append('M%s,%s' % (x1, y1))\n path.append('A%s,%s 0 %d %d %s,%s' % (rx, ry, fa, fs, x2, y2))\n if style == ARC:\n pass\n elif style == CHORD:\n path.append('z')\n else:\n path.append('L%s,%s' % (cx, cy))\n path.append('z')\n return setattribs(document.createElement('path'), d=''.join(path))\n",
"role": "user"
},
{
"content": "arc",
"role": "assistant"
}
] |
def x(canvas, color):
if color:
r, g, b = [('%02x' % (c // 256)) for c in canvas.winfo_rgb(color)]
if r[0] == r[1] and g[0] == g[1] and b[0] == b[1]:
return '#' + r[0] + g[0] + b[0]
else:
return '#' + r + g + b
else:
return color
| HTMLcolor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(canvas, color):\n if color:\n r, g, b = [('%02x' % (c // 256)) for c in canvas.winfo_rgb(color)]\n if r[0] == r[1] and g[0] == g[1] and b[0] == b[1]:\n return '#' + r[0] + g[0] + b[0]\n else:\n return '#' + r + g + b\n else:\n return color\n",
"role": "user"
},
{
"content": "HTMLcolor",
"role": "assistant"
}
] |
def x(document, x0, y0, x1, y1, arrowshape):
import math
dx = x1 - x0
dy = y1 - y0
poly = document.createElement('polygon')
d = math.sqrt(dx * dx + dy * dy)
if d == 0.0:
return poly
try:
d1, d2, d3 = list(map(float, arrowshape))
except ValueError:
d1, d2, d3 = map(float, arrowshape.split())
P0 = x0, y0
P1 = x1, y1
xa, ya = lerp(P1, P0, d1 / d)
xb, yb = lerp(P1, P0, d2 / d)
t = d3 / d
xc, yc = dx * t, dy * t
points = [x1, y1, xb - yc, yb + xc, xa, ya, xb + yc, yb - xc]
poly.setAttribute('points', ' '.join(map(str, points)))
return poly
| arrow_head | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(document, x0, y0, x1, y1, arrowshape):\n import math\n dx = x1 - x0\n dy = y1 - y0\n poly = document.createElement('polygon')\n d = math.sqrt(dx * dx + dy * dy)\n if d == 0.0:\n return poly\n try:\n d1, d2, d3 = list(map(float, arrowshape))\n except ValueError:\n d1, d2, d3 = map(float, arrowshape.split())\n P0 = x0, y0\n P1 = x1, y1\n xa, ya = lerp(P1, P0, d1 / d)\n xb, yb = lerp(P1, P0, d2 / d)\n t = d3 / d\n xc, yc = dx * t, dy * t\n points = [x1, y1, xb - yc, yb + xc, xa, ya, xb + yc, yb - xc]\n poly.setAttribute('points', ' '.join(map(str, points)))\n return poly\n",
"role": "user"
},
{
"content": "arrow_head",
"role": "assistant"
}
] |
def x(tkapp, font):
tmp = tkapp.call('font', 'actual', font)
return dict((tmp[i][1:], tmp[i + 1]) for i in range(0, len(tmp), 2))
| font_actual | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tkapp, font):\n tmp = tkapp.call('font', 'actual', font)\n return dict((tmp[i][1:], tmp[i + 1]) for i in range(0, len(tmp), 2))\n",
"role": "user"
},
{
"content": "font_actual",
"role": "assistant"
}
] |
def x(string, width):
w = max(1, int(width + 0.5))
n = len(string)
result = []
for i, c in enumerate(string):
if c == ' ' and len(result):
result[-1] += w + 1
elif c == '_':
result.append(8 * w)
result.append(4 * w)
elif c == '-':
result.append(6 * w)
result.append(4 * w)
elif c == ',':
result.append(4 * w)
result.append(4 * w)
elif c == '.':
result.append(2 * w)
result.append(4 * w)
return result
| parse_dash | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string, width):\n w = max(1, int(width + 0.5))\n n = len(string)\n result = []\n for i, c in enumerate(string):\n if c == ' ' and len(result):\n result[-1] += w + 1\n elif c == '_':\n result.append(8 * w)\n result.append(4 * w)\n elif c == '-':\n result.append(6 * w)\n result.append(4 * w)\n elif c == ',':\n result.append(4 * w)\n result.append(4 * w)\n elif c == '.':\n result.append(2 * w)\n result.append(4 * w)\n return result\n",
"role": "user"
},
{
"content": "parse_dash",
"role": "assistant"
}
] |
def x(pressure, p_coef=(-0.028389, -0.0493698, 0.485718, 0.278656, -17.5703,
48.0926)):
pressure = np.asarray(pressure)
altitude = np.polyval(p_coef, np.log10(pressure.flatten()))
return altitude.reshape(pressure.shape)
| prof_altitude | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pressure, p_coef=(-0.028389, -0.0493698, 0.485718, 0.278656, -17.5703,\n 48.0926)):\n pressure = np.asarray(pressure)\n altitude = np.polyval(p_coef, np.log10(pressure.flatten()))\n return altitude.reshape(pressure.shape)\n",
"role": "user"
},
{
"content": "prof_altitude",
"role": "assistant"
}
] |
def x(altitude, z_coef=(1.9417e-09, -5.1458e-07, 4.57018e-05, -0.0015562, -
0.0461994, 2.99955)):
altitude = np.asarray(altitude)
pressure = np.power(10, np.polyval(z_coef, altitude.flatten()))
return pressure.reshape(altitude.shape)
| prof_pressure | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(altitude, z_coef=(1.9417e-09, -5.1458e-07, 4.57018e-05, -0.0015562, -\n 0.0461994, 2.99955)):\n altitude = np.asarray(altitude)\n pressure = np.power(10, np.polyval(z_coef, altitude.flatten()))\n return pressure.reshape(altitude.shape)\n",
"role": "user"
},
{
"content": "prof_pressure",
"role": "assistant"
}
] |
def x(model_name, references=None):
references = references or []
references.append(model_name)
ref = MODELS[model_name].get('reference')
if ref is not None:
_find_references(ref, references)
parent_models = [m for m in references]
parent_models.reverse()
return parent_models
| find_references | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model_name, references=None):\n references = references or []\n references.append(model_name)\n ref = MODELS[model_name].get('reference')\n if ref is not None:\n _find_references(ref, references)\n parent_models = [m for m in references]\n parent_models.reverse()\n return parent_models\n",
"role": "user"
},
{
"content": "find_references",
"role": "assistant"
}
] |
def x(model_name):
split_name = re.split('[\\-_\\s]', model_name.strip().upper())
sep_chars = '', ' ', '-', '_'
gen_seps = itertools.combinations_with_replacement(sep_chars, len(
split_name) - 1)
test_names = (''.join(n for n in itertools.chain(*list(zip(split_name,
s + ('',))))) for s in gen_seps)
match_names = list([name for name in test_names if name in
_get_supported_models()])
if not len(match_names):
raise ValueError("Model '{0}' is not supported".format(model_name))
elif len(match_names) > 1:
raise ValueError("Multiple matched models for given model name '{0}'"
.format(model_name))
valid_model_name = match_names[0]
parent_models = _find_references(valid_model_name)
model_spec = dict()
for m in parent_models:
model_spec.update(MODELS[m])
model_spec.pop('reference')
model_spec['model_family'] = parent_models[0]
model_spec['model_name'] = valid_model_name
return model_spec
| get_model_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model_name):\n split_name = re.split('[\\\\-_\\\\s]', model_name.strip().upper())\n sep_chars = '', ' ', '-', '_'\n gen_seps = itertools.combinations_with_replacement(sep_chars, len(\n split_name) - 1)\n test_names = (''.join(n for n in itertools.chain(*list(zip(split_name, \n s + ('',))))) for s in gen_seps)\n match_names = list([name for name in test_names if name in\n _get_supported_models()])\n if not len(match_names):\n raise ValueError(\"Model '{0}' is not supported\".format(model_name))\n elif len(match_names) > 1:\n raise ValueError(\"Multiple matched models for given model name '{0}'\"\n .format(model_name))\n valid_model_name = match_names[0]\n parent_models = _find_references(valid_model_name)\n model_spec = dict()\n for m in parent_models:\n model_spec.update(MODELS[m])\n model_spec.pop('reference')\n model_spec['model_family'] = parent_models[0]\n model_spec['model_name'] = valid_model_name\n return model_spec\n",
"role": "user"
},
{
"content": "get_model_info",
"role": "assistant"
}
] |
def x(filename):
names = []
if tarfile.is_tarfile(filename):
with tarfile.open(filename) as tar_file:
names = sorted(tar_file.getnames())
elif zipfile.is_zipfile(filename):
with zipfile.ZipFile(filename) as zip_file:
names = sorted(zip_file.namelist())
else:
raise ValueError(
"Can not get filenames from '{!s}'. Not a tar or zip file".
format(filename))
if './' in names:
names.remove('./')
return names
| get_archive_filelist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n names = []\n if tarfile.is_tarfile(filename):\n with tarfile.open(filename) as tar_file:\n names = sorted(tar_file.getnames())\n elif zipfile.is_zipfile(filename):\n with zipfile.ZipFile(filename) as zip_file:\n names = sorted(zip_file.namelist())\n else:\n raise ValueError(\n \"Can not get filenames from '{!s}'. Not a tar or zip file\".\n format(filename))\n if './' in names:\n names.remove('./')\n return names\n",
"role": "user"
},
{
"content": "get_archive_filelist",
"role": "assistant"
}
] |
def x(self, uuid, event):
try:
if not isbnmeta:
self.log(
'No isbntools found! Install it to get full functionality!',
lvl=warn)
return
new_book = objectmodels['book'].find_one({'uuid': uuid})
try:
if len(new_book.isbn) != 0:
self.log('Got a lookup candidate: ', new_book._fields)
try:
meta = isbnmeta(new_book.isbn, service=self.config.
isbnservice)
mapping = libraryfieldmapping[self.config.isbnservice]
new_meta = {}
for key in meta.keys():
if key in mapping:
if isinstance(mapping[key], tuple):
name, conv = mapping[key]
try:
new_meta[name] = conv(meta[key])
except ValueError:
self.log('Bad value from lookup:', name,
conv, key)
else:
new_meta[mapping[key]] = meta[key]
new_book.update(new_meta)
new_book.save()
self._notify_result(event, new_book)
self.log('Book successfully augmented from ', self.
config.isbnservice)
except Exception as e:
self.log('Error during meta lookup: ', e, type(e),
new_book.isbn, lvl=error, exc=True)
error_response = {'component': 'hfos.alert.manager',
'action': 'notify', 'data': {'type': 'error',
'message': 'Could not look up metadata, sorry:' +
str(e)}}
self.log(event, event.client, pretty=True)
self.fireEvent(send(event.client.uuid, error_response))
except Exception as e:
self.log('Error during book update.', e, type(e), exc=True, lvl
=error)
except Exception as e:
self.log('Book creation notification error: ', uuid, e, type(e),
lvl=error, exc=True)
| augment_book | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uuid, event):\n try:\n if not isbnmeta:\n self.log(\n 'No isbntools found! Install it to get full functionality!',\n lvl=warn)\n return\n new_book = objectmodels['book'].find_one({'uuid': uuid})\n try:\n if len(new_book.isbn) != 0:\n self.log('Got a lookup candidate: ', new_book._fields)\n try:\n meta = isbnmeta(new_book.isbn, service=self.config.\n isbnservice)\n mapping = libraryfieldmapping[self.config.isbnservice]\n new_meta = {}\n for key in meta.keys():\n if key in mapping:\n if isinstance(mapping[key], tuple):\n name, conv = mapping[key]\n try:\n new_meta[name] = conv(meta[key])\n except ValueError:\n self.log('Bad value from lookup:', name,\n conv, key)\n else:\n new_meta[mapping[key]] = meta[key]\n new_book.update(new_meta)\n new_book.save()\n self._notify_result(event, new_book)\n self.log('Book successfully augmented from ', self.\n config.isbnservice)\n except Exception as e:\n self.log('Error during meta lookup: ', e, type(e),\n new_book.isbn, lvl=error, exc=True)\n error_response = {'component': 'hfos.alert.manager',\n 'action': 'notify', 'data': {'type': 'error',\n 'message': 'Could not look up metadata, sorry:' +\n str(e)}}\n self.log(event, event.client, pretty=True)\n self.fireEvent(send(event.client.uuid, error_response))\n except Exception as e:\n self.log('Error during book update.', e, type(e), exc=True, lvl\n =error)\n except Exception as e:\n self.log('Book creation notification error: ', uuid, e, type(e),\n lvl=error, exc=True)\n",
"role": "user"
},
{
"content": "augment_book",
"role": "assistant"
}
] |
def x():
if sys.platform.startswith('win'):
ports = [('COM%s' % (i + 1)) for i in range(256)]
elif sys.platform.startswith('linux') or sys.platform.startswith('cygwin'):
ports = glob.glob('/dev/tty[A-Za-z]*')
elif sys.platform.startswith('darwin'):
ports = glob.glob('/dev/tty.*')
else:
raise EnvironmentError('Unsupported platform')
result = []
for port in ports:
try:
s = serial.Serial(port)
s.close()
result.append(port)
except (OSError, serial.SerialException):
pass
return result
| serial_ports | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if sys.platform.startswith('win'):\n ports = [('COM%s' % (i + 1)) for i in range(256)]\n elif sys.platform.startswith('linux') or sys.platform.startswith('cygwin'):\n ports = glob.glob('/dev/tty[A-Za-z]*')\n elif sys.platform.startswith('darwin'):\n ports = glob.glob('/dev/tty.*')\n else:\n raise EnvironmentError('Unsupported platform')\n result = []\n for port in ports:\n try:\n s = serial.Serial(port)\n s.close()\n result.append(port)\n except (OSError, serial.SerialException):\n pass\n return result\n",
"role": "user"
},
{
"content": "serial_ports",
"role": "assistant"
}
] |
def x(self, *args):
self._serial_open = True
self.log('Opened: ', args, lvl=debug)
self._send_command(b'l,1')
self.log('Turning off engine, pump and neutralizing rudder')
self._send_command(b'v')
self._handle_servo(self._machine_channel, 0)
self._handle_servo(self._rudder_channel, 127)
self._set_digital_pin(self._pump_channel, 0)
self._send_command(b'l,0')
self._send_command(b'm,HFOS Control')
| opened | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args):\n self._serial_open = True\n self.log('Opened: ', args, lvl=debug)\n self._send_command(b'l,1')\n self.log('Turning off engine, pump and neutralizing rudder')\n self._send_command(b'v')\n self._handle_servo(self._machine_channel, 0)\n self._handle_servo(self._rudder_channel, 127)\n self._set_digital_pin(self._pump_channel, 0)\n self._send_command(b'l,0')\n self._send_command(b'm,HFOS Control')\n",
"role": "user"
},
{
"content": "opened",
"role": "assistant"
}
] |
def x(self, event):
self.log('Updating new machine power: ', event.controlvalue)
self._handle_servo(self._machine_channel, event.controlvalue)
| on_machinerequest | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n self.log('Updating new machine power: ', event.controlvalue)\n self._handle_servo(self._machine_channel, event.controlvalue)\n",
"role": "user"
},
{
"content": "on_machinerequest",
"role": "assistant"
}
] |
def x(self, event):
self.log('Updating new rudder angle: ', event.controlvalue)
self._handle_servo(self._rudder_channel, event.controlvalue)
| on_rudderrequest | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n self.log('Updating new rudder angle: ', event.controlvalue)\n self._handle_servo(self._rudder_channel, event.controlvalue)\n",
"role": "user"
},
{
"content": "on_rudderrequest",
"role": "assistant"
}
] |
def x(self, event):
self.log('Updating pump status: ', event.controlvalue)
self._set_digital_pin(self._pump_channel, event.controlvalue)
| on_pumprequest | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n self.log('Updating pump status: ', event.controlvalue)\n self._set_digital_pin(self._pump_channel, event.controlvalue)\n",
"role": "user"
},
{
"content": "on_pumprequest",
"role": "assistant"
}
] |
def x(items, database_name, overwrite=False, clear=False, skip_user_check=False
):
log('Provisioning', items, database_name, lvl=debug)
system_user = None
def x():
user = objectmodels['user'].find_one({'name': 'System'})
try:
log('System user uuid: ', user.uuid, lvl=verbose)
return user.uuid
except AttributeError as e:
log('No system user found:', e, lvl=warn)
log('Please install the user provision to setup a system user or check your database configuration'
, lvl=error)
return False
def x(obj):
for privilege in obj._fields.get('perms', None):
if 'owner' in obj._fields['perms'][privilege]:
return True
return False
import pymongo
from hfos.database import objectmodels, dbhost, dbport, dbname
database_object = objectmodels[database_name]
log(dbhost, dbname)
client = pymongo.MongoClient(dbhost, dbport)
db = client[dbname]
if not skip_user_check:
system_user = get_system_user()
if not system_user:
return
else:
system_user = '0ba87daa-d315-462e-9f2e-6091d768fd36'
col_name = database_object.collection_name()
if clear is True:
log('Clearing collection for', col_name, lvl=warn)
db.drop_collection(col_name)
counter = 0
for no, item in enumerate(items):
new_object = None
item_uuid = item['uuid']
log('Validating object (%i/%i):' % (no + 1, len(items)), item_uuid,
lvl=debug)
if database_object.count({'uuid': item_uuid}) > 0:
log('Object already present', lvl=warn)
if overwrite is False:
log('Not updating item', item, lvl=warn)
else:
log('Overwriting item: ', item_uuid, lvl=warn)
new_object = database_object.find_one({'uuid': item_uuid})
new_object._fields.update(item)
else:
new_object = database_object(item)
if new_object is not None:
try:
if needs_owner(new_object):
if not hasattr(new_object, 'owner'):
log('Adding system owner to object.', lvl=verbose)
new_object.owner = system_user
except Exception as e:
log('Error during ownership test:', e, type(e), exc=True,
lvl=error)
try:
new_object.validate()
new_object.save()
counter += 1
except ValidationError as e:
raise ValidationError('Could not provision object: ' + str(
item_uuid), e)
log('Provisioned %i out of %i items successfully.' % (counter, len(items)))
| provisionList | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(items, database_name, overwrite=False, clear=False, skip_user_check=False\n ):\n log('Provisioning', items, database_name, lvl=debug)\n system_user = None\n\n def x():\n user = objectmodels['user'].find_one({'name': 'System'})\n try:\n log('System user uuid: ', user.uuid, lvl=verbose)\n return user.uuid\n except AttributeError as e:\n log('No system user found:', e, lvl=warn)\n log('Please install the user provision to setup a system user or check your database configuration'\n , lvl=error)\n return False\n\n def x(obj):\n for privilege in obj._fields.get('perms', None):\n if 'owner' in obj._fields['perms'][privilege]:\n return True\n return False\n import pymongo\n from hfos.database import objectmodels, dbhost, dbport, dbname\n database_object = objectmodels[database_name]\n log(dbhost, dbname)\n client = pymongo.MongoClient(dbhost, dbport)\n db = client[dbname]\n if not skip_user_check:\n system_user = get_system_user()\n if not system_user:\n return\n else:\n system_user = '0ba87daa-d315-462e-9f2e-6091d768fd36'\n col_name = database_object.collection_name()\n if clear is True:\n log('Clearing collection for', col_name, lvl=warn)\n db.drop_collection(col_name)\n counter = 0\n for no, item in enumerate(items):\n new_object = None\n item_uuid = item['uuid']\n log('Validating object (%i/%i):' % (no + 1, len(items)), item_uuid,\n lvl=debug)\n if database_object.count({'uuid': item_uuid}) > 0:\n log('Object already present', lvl=warn)\n if overwrite is False:\n log('Not updating item', item, lvl=warn)\n else:\n log('Overwriting item: ', item_uuid, lvl=warn)\n new_object = database_object.find_one({'uuid': item_uuid})\n new_object._fields.update(item)\n else:\n new_object = database_object(item)\n if new_object is not None:\n try:\n if needs_owner(new_object):\n if not hasattr(new_object, 'owner'):\n log('Adding system owner to object.', lvl=verbose)\n new_object.owner = system_user\n except Exception as e:\n log('Error during ownership test:', e, type(e), exc=True,\n lvl=error)\n try:\n new_object.validate()\n new_object.save()\n counter += 1\n except ValidationError as e:\n raise ValidationError('Could not provision object: ' + str(\n item_uuid), e)\n log('Provisioned %i out of %i items successfully.' % (counter, len(items)))\n",
"role": "user"
},
{
"content": "provisionList",
"role": "assistant"
}
] |
def x(schema_obj, form_obj, schemata=None):
if schemata is None:
schemata = ['systemconfig', 'profile', 'client']
DefaultExtends = {'schema': {'properties/modules': [schema_obj]},
'form': {'modules': {'items/': form_obj}}}
output = {}
for schema in schemata:
output[schema] = DefaultExtends
return output
| DefaultExtension | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(schema_obj, form_obj, schemata=None):\n if schemata is None:\n schemata = ['systemconfig', 'profile', 'client']\n DefaultExtends = {'schema': {'properties/modules': [schema_obj]},\n 'form': {'modules': {'items/': form_obj}}}\n output = {}\n for schema in schemata:\n output[schema] = DefaultExtends\n return output\n",
"role": "user"
},
{
"content": "DefaultExtension",
"role": "assistant"
}
] |
def x(root_src_dir, root_dst_dir, hardlink=True):
for src_dir, dirs, files in os.walk(root_src_dir):
dst_dir = src_dir.replace(root_src_dir, root_dst_dir, 1)
if not os.path.exists(dst_dir):
os.makedirs(dst_dir)
for file_ in files:
src_file = os.path.join(src_dir, file_)
dst_file = os.path.join(dst_dir, file_)
try:
if os.path.exists(dst_file):
if hardlink:
hfoslog('Removing frontend link:', dst_file,
emitter='BUILDER', lvl=verbose)
os.remove(dst_file)
else:
hfoslog('Overwriting frontend file:', dst_file,
emitter='BUILDER', lvl=verbose)
hfoslog('Hardlinking ', src_file, dst_dir, emitter=
'BUILDER', lvl=verbose)
if hardlink:
os.link(src_file, dst_file)
else:
copy(src_file, dst_dir)
except PermissionError as e:
hfoslog(
' No permission to remove/create target %s for frontend:' %
('link' if hardlink else 'copy'), dst_dir, e, emitter=
'BUILDER', lvl=error)
except Exception as e:
hfoslog('Error during', 'link' if hardlink else 'copy',
'creation:', type(e), e, emitter='BUILDER', lvl=error)
hfoslog('Done linking', root_dst_dir, emitter='BUILDER', lvl=
verbose)
| copytree | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(root_src_dir, root_dst_dir, hardlink=True):\n for src_dir, dirs, files in os.walk(root_src_dir):\n dst_dir = src_dir.replace(root_src_dir, root_dst_dir, 1)\n if not os.path.exists(dst_dir):\n os.makedirs(dst_dir)\n for file_ in files:\n src_file = os.path.join(src_dir, file_)\n dst_file = os.path.join(dst_dir, file_)\n try:\n if os.path.exists(dst_file):\n if hardlink:\n hfoslog('Removing frontend link:', dst_file,\n emitter='BUILDER', lvl=verbose)\n os.remove(dst_file)\n else:\n hfoslog('Overwriting frontend file:', dst_file,\n emitter='BUILDER', lvl=verbose)\n hfoslog('Hardlinking ', src_file, dst_dir, emitter=\n 'BUILDER', lvl=verbose)\n if hardlink:\n os.link(src_file, dst_file)\n else:\n copy(src_file, dst_dir)\n except PermissionError as e:\n hfoslog(\n ' No permission to remove/create target %s for frontend:' %\n ('link' if hardlink else 'copy'), dst_dir, e, emitter=\n 'BUILDER', lvl=error)\n except Exception as e:\n hfoslog('Error during', 'link' if hardlink else 'copy',\n 'creation:', type(e), e, emitter='BUILDER', lvl=error)\n hfoslog('Done linking', root_dst_dir, emitter='BUILDER', lvl=\n verbose)\n",
"role": "user"
},
{
"content": "copytree",
"role": "assistant"
}
] |
def x(ctx):
from hfos import database
database.initialize(ctx.obj['dbhost'], ctx.obj['dbname'])
from hfos.schemata.component import ComponentConfigSchemaTemplate
ctx.obj['col'] = model_factory(ComponentConfigSchemaTemplate)
| config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx):\n from hfos import database\n database.initialize(ctx.obj['dbhost'], ctx.obj['dbname'])\n from hfos.schemata.component import ComponentConfigSchemaTemplate\n ctx.obj['col'] = model_factory(ComponentConfigSchemaTemplate)\n",
"role": "user"
},
{
"content": "config",
"role": "assistant"
}
] |
def x(ctx, componentname):
col = ctx.obj['col']
if col.count({'name': componentname}) > 1:
log('More than one component configuration of this name! Try one of the uuids as argument. Get a list with "config list"'
)
return
log('Deleting component configuration', componentname, emitter='MANAGE')
configuration = col.find_one({'name': componentname})
if configuration is None:
configuration = col.find_one({'uuid': componentname})
if configuration is None:
log('Component configuration not found:', componentname, emitter=
'MANAGE')
return
configuration.delete()
log('Done')
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, componentname):\n col = ctx.obj['col']\n if col.count({'name': componentname}) > 1:\n log('More than one component configuration of this name! Try one of the uuids as argument. Get a list with \"config list\"'\n )\n return\n log('Deleting component configuration', componentname, emitter='MANAGE')\n configuration = col.find_one({'name': componentname})\n if configuration is None:\n configuration = col.find_one({'uuid': componentname})\n if configuration is None:\n log('Component configuration not found:', componentname, emitter=\n 'MANAGE')\n return\n configuration.delete()\n log('Done')\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(ctx, component):
col = ctx.obj['col']
if col.count({'name': component}) > 1:
log('More than one component configuration of this name! Try one of the uuids as argument. Get a list with "config list"'
)
return
if component is None:
configurations = col.find()
for configuration in configurations:
log('%-15s : %s' % (configuration.name, configuration.uuid),
emitter='MANAGE')
else:
configuration = col.find_one({'name': component})
if configuration is None:
configuration = col.find_one({'uuid': component})
if configuration is None:
log('No component with that name or uuid found.')
return
print(json.dumps(configuration.serializablefields(), indent=4))
| show | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, component):\n col = ctx.obj['col']\n if col.count({'name': component}) > 1:\n log('More than one component configuration of this name! Try one of the uuids as argument. Get a list with \"config list\"'\n )\n return\n if component is None:\n configurations = col.find()\n for configuration in configurations:\n log('%-15s : %s' % (configuration.name, configuration.uuid),\n emitter='MANAGE')\n else:\n configuration = col.find_one({'name': component})\n if configuration is None:\n configuration = col.find_one({'uuid': component})\n if configuration is None:\n log('No component with that name or uuid found.')\n return\n print(json.dumps(configuration.serializablefields(), indent=4))\n",
"role": "user"
},
{
"content": "show",
"role": "assistant"
}
] |
def x(string):
string_list = regex.split('<(?![!=])', regex.sub('>', '<', string))
return string_list[::2], string_list[1::2]
| separate_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n string_list = regex.split('<(?![!=])', regex.sub('>', '<', string))\n return string_list[::2], string_list[1::2]\n",
"role": "user"
},
{
"content": "separate_string",
"role": "assistant"
}
] |
def x(start1, end1, start2, end2):
return not (start1 <= start2 and start1 <= end2 and end1 <= end2 and
end1 <= start2 or start1 >= start2 and start1 >= end2 and end1 >=
end2 and end1 >= start2)
| overlapping | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start1, end1, start2, end2):\n return not (start1 <= start2 and start1 <= end2 and end1 <= end2 and \n end1 <= start2 or start1 >= start2 and start1 >= end2 and end1 >=\n end2 and end1 >= start2)\n",
"role": "user"
},
{
"content": "overlapping",
"role": "assistant"
}
] |
def x(current, higher):
for match, h_start, h_end in higher:
overlaps = list(overlapping_at(h_start, h_end, current))
for overlap in overlaps:
del current[overlap]
if len(overlaps) > 0:
current.insert(overlaps[0], (match, h_start, h_end))
else:
current.append((match, h_start, h_end))
return current
| remove_lower_overlapping | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current, higher):\n for match, h_start, h_end in higher:\n overlaps = list(overlapping_at(h_start, h_end, current))\n for overlap in overlaps:\n del current[overlap]\n if len(overlaps) > 0:\n current.insert(overlaps[0], (match, h_start, h_end))\n else:\n current.append((match, h_start, h_end))\n return current\n",
"role": "user"
},
{
"content": "remove_lower_overlapping",
"role": "assistant"
}
] |
def x(self, event):
try:
self.log('Event: ', event.__dict__, lvl=critical)
if event.data == 'storejson':
self.log('Storing received object to /tmp', lvl=critical)
fp = open('/tmp/hfosdebugger_' + str(event.user.useruuid) + '_' +
str(uuid4()), 'w')
json.dump(event.data, fp, indent=True)
fp.close()
if event.data == 'memdebug':
self.log('Memory hogs:', lvl=critical)
objgraph.show_most_common_types(limit=20)
if event.data == 'growth':
self.log('Memory growth since last call:', lvl=critical)
objgraph.show_growth()
if event.data == 'graph':
self._drawgraph()
if event.data == 'exception':
class TestException(BaseException):
"""Generic exception to test exception monitoring"""
pass
raise TestException
if event.data == 'heap':
self.log('Heap log:', self.heapy.heap(), lvl=critical)
if event.data == 'buildfrontend':
self.log('Sending frontend build command')
self.fireEvent(frontendbuildrequest(force=True), 'setup')
if event.data == 'logtail':
self.fireEvent(logtailrequest(event.user, None, None, event.
client), 'logger')
if event.data == 'trigger_anchorwatch':
from hfos.anchor.anchorwatcher import cli_trigger_anchorwatch
self.fireEvent(cli_trigger_anchorwatch())
except Exception as e:
self.log('Exception during debug handling:', e, type(e), lvl=critical)
| debugrequest | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n try:\n self.log('Event: ', event.__dict__, lvl=critical)\n if event.data == 'storejson':\n self.log('Storing received object to /tmp', lvl=critical)\n fp = open('/tmp/hfosdebugger_' + str(event.user.useruuid) + '_' +\n str(uuid4()), 'w')\n json.dump(event.data, fp, indent=True)\n fp.close()\n if event.data == 'memdebug':\n self.log('Memory hogs:', lvl=critical)\n objgraph.show_most_common_types(limit=20)\n if event.data == 'growth':\n self.log('Memory growth since last call:', lvl=critical)\n objgraph.show_growth()\n if event.data == 'graph':\n self._drawgraph()\n if event.data == 'exception':\n\n\n class TestException(BaseException):\n \"\"\"Generic exception to test exception monitoring\"\"\"\n pass\n raise TestException\n if event.data == 'heap':\n self.log('Heap log:', self.heapy.heap(), lvl=critical)\n if event.data == 'buildfrontend':\n self.log('Sending frontend build command')\n self.fireEvent(frontendbuildrequest(force=True), 'setup')\n if event.data == 'logtail':\n self.fireEvent(logtailrequest(event.user, None, None, event.\n client), 'logger')\n if event.data == 'trigger_anchorwatch':\n from hfos.anchor.anchorwatcher import cli_trigger_anchorwatch\n self.fireEvent(cli_trigger_anchorwatch())\n except Exception as e:\n self.log('Exception during debug handling:', e, type(e), lvl=critical)\n",
"role": "user"
},
{
"content": "debugrequest",
"role": "assistant"
}
] |
def x(self, data):
data = data.strip().decode('utf-8')
self.log('Incoming:', data, lvl=verbose)
if len(data) == 0:
self.log('Use /help to get a list of enabled cli hooks')
return
if data[0] == '/':
cmd = data[1:]
args = []
if ' ' in cmd:
cmd, args = cmd.split(' ', maxsplit=1)
args = args.split(' ')
if cmd in self.hooks:
self.log('Firing hooked event:', cmd, args, lvl=debug)
self.fireEvent(self.hooks[cmd](*args))
elif cmd == 'frontend':
self.log('Sending %s frontend rebuild event' % ('(forced)' if
'force' in args else ''))
self.fireEvent(frontendbuildrequest(force='force' in args,
install='install' in args), 'setup')
elif cmd == 'backend':
self.log('Sending backend reload event')
self.fireEvent(componentupdaterequest(force=False), 'setup')
else:
self.log('Unknown Command:', cmd,
'. Use /help to get a list of enabled cli hooks')
| stdin_read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n data = data.strip().decode('utf-8')\n self.log('Incoming:', data, lvl=verbose)\n if len(data) == 0:\n self.log('Use /help to get a list of enabled cli hooks')\n return\n if data[0] == '/':\n cmd = data[1:]\n args = []\n if ' ' in cmd:\n cmd, args = cmd.split(' ', maxsplit=1)\n args = args.split(' ')\n if cmd in self.hooks:\n self.log('Firing hooked event:', cmd, args, lvl=debug)\n self.fireEvent(self.hooks[cmd](*args))\n elif cmd == 'frontend':\n self.log('Sending %s frontend rebuild event' % ('(forced)' if \n 'force' in args else ''))\n self.fireEvent(frontendbuildrequest(force='force' in args,\n install='install' in args), 'setup')\n elif cmd == 'backend':\n self.log('Sending backend reload event')\n self.fireEvent(componentupdaterequest(force=False), 'setup')\n else:\n self.log('Unknown Command:', cmd,\n '. Use /help to get a list of enabled cli hooks')\n",
"role": "user"
},
{
"content": "stdin_read",
"role": "assistant"
}
] |
def x(self, event):
self.log('Registering event hook:', event.cmd, event.thing, pretty=True,
lvl=verbose)
self.hooks[event.cmd] = event.thing
| register_event | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n self.log('Registering event hook:', event.cmd, event.thing, pretty=True,\n lvl=verbose)\n self.hooks[event.cmd] = event.thing\n",
"role": "user"
},
{
"content": "register_event",
"role": "assistant"
}
] |
def x():
global AuthorizedEvents
global AnonymousEvents
def x(klass):
subclasses = {}
subclasses_set = set()
work = [klass]
while work:
parent = work.pop()
for child in parent.__subclasses__():
if child not in subclasses_set:
name = child.__module__ + '.' + child.__name__
if name.startswith('hfos'):
subclasses_set.add(child)
event = {'event': child, 'name': name, 'doc': child
.__doc__, 'args': []}
if child.__module__ in subclasses:
subclasses[child.__module__][child.__name__
] = event
else:
subclasses[child.__module__] = {child.__name__:
event}
work.append(child)
return subclasses
AuthorizedEvents = inheritors(authorizedevent)
AnonymousEvents = inheritors(anonymousevent)
| populate_user_events | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n global AuthorizedEvents\n global AnonymousEvents\n\n def x(klass):\n subclasses = {}\n subclasses_set = set()\n work = [klass]\n while work:\n parent = work.pop()\n for child in parent.__subclasses__():\n if child not in subclasses_set:\n name = child.__module__ + '.' + child.__name__\n if name.startswith('hfos'):\n subclasses_set.add(child)\n event = {'event': child, 'name': name, 'doc': child\n .__doc__, 'args': []}\n if child.__module__ in subclasses:\n subclasses[child.__module__][child.__name__\n ] = event\n else:\n subclasses[child.__module__] = {child.__name__:\n event}\n work.append(child)\n return subclasses\n AuthorizedEvents = inheritors(authorizedevent)\n AnonymousEvents = inheritors(anonymousevent)\n",
"role": "user"
},
{
"content": "populate_user_events",
"role": "assistant"
}
] |
def x(ctx):
from hfos import database
database.initialize(ctx.obj['dbhost'], ctx.obj['dbname'])
ctx.obj['db'] = database
| db | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx):\n from hfos import database\n database.initialize(ctx.obj['dbhost'], ctx.obj['dbname'])\n ctx.obj['db'] = database\n",
"role": "user"
},
{
"content": "db",
"role": "assistant"
}
] |
def x(ctx, schema):
response = _ask('Are you sure you want to delete the collection "%s"' %
schema, default='N', data_type='bool')
if response is True:
host, port = ctx.obj['dbhost'].split(':')
client = pymongo.MongoClient(host=host, port=int(port))
database = client[ctx.obj['dbname']]
log('Clearing collection for', schema, lvl=warn, emitter='MANAGE')
result = database.drop_collection(schema)
if not result['ok']:
log('Could not drop collection:', lvl=error)
log(result, pretty=True, lvl=error)
else:
log('Done')
| clear | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, schema):\n response = _ask('Are you sure you want to delete the collection \"%s\"' %\n schema, default='N', data_type='bool')\n if response is True:\n host, port = ctx.obj['dbhost'].split(':')\n client = pymongo.MongoClient(host=host, port=int(port))\n database = client[ctx.obj['dbname']]\n log('Clearing collection for', schema, lvl=warn, emitter='MANAGE')\n result = database.drop_collection(schema)\n if not result['ok']:\n log('Could not drop collection:', lvl=error)\n log(result, pretty=True, lvl=error)\n else:\n log('Done')\n",
"role": "user"
},
{
"content": "clear",
"role": "assistant"
}
] |
def x(items, database_name, overwrite=False, clear=False, skip_user_check=False
):
from hfos.provisions.base import provisionList
from hfos.database import objectmodels
default_system_config_count = objectmodels['systemconfig'].count({
'name': 'Default System Configuration'})
if default_system_config_count == 0 or (clear or overwrite):
provisionList([SystemConfiguration], 'systemconfig', overwrite,
clear, skip_user_check)
hfoslog('Provisioning: System: Done.', emitter='PROVISIONS')
else:
hfoslog('Default system configuration already present.', lvl=warn,
emitter='PROVISIONS')
| provision_system_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(items, database_name, overwrite=False, clear=False, skip_user_check=False\n ):\n from hfos.provisions.base import provisionList\n from hfos.database import objectmodels\n default_system_config_count = objectmodels['systemconfig'].count({\n 'name': 'Default System Configuration'})\n if default_system_config_count == 0 or (clear or overwrite):\n provisionList([SystemConfiguration], 'systemconfig', overwrite,\n clear, skip_user_check)\n hfoslog('Provisioning: System: Done.', emitter='PROVISIONS')\n else:\n hfoslog('Default system configuration already present.', lvl=warn,\n emitter='PROVISIONS')\n",
"role": "user"
},
{
"content": "provision_system_config",
"role": "assistant"
}
] |
def x(ctx, filename, all, owner, calendar, create_calendar, clear_calendar,
dry, execfilter):
log('iCal importer running')
objectmodels = ctx.obj['db'].objectmodels
if objectmodels['user'].count({'name': owner}) > 0:
owner_object = objectmodels['user'].find_one({'name': owner})
elif objectmodels['user'].count({'uuid': owner}) > 0:
owner_object = objectmodels['user'].find_one({'uuid': owner})
else:
log('User unknown. Specify either uuid or name.', lvl=warn)
return
log('Found user')
if objectmodels['calendar'].count({'name': calendar}) > 0:
calendar = objectmodels['calendar'].find_one({'name': calendar})
elif objectmodels['calendar'].count({'uuid': owner}) > 0:
calendar = objectmodels['calendar'].find_one({'uuid': calendar})
elif create_calendar:
calendar = objectmodels['calendar']({'uuid': std_uuid(), 'name':
calendar})
else:
log('Calendar unknown and no --create-calendar specified. Specify either uuid or name of an existing calendar.'
, lvl=warn)
return
log('Found calendar')
if clear_calendar is True:
log('Clearing calendar events')
for item in objectmodels['event'].find({'calendar': calendar.uuid}):
item.delete()
with open(filename, 'rb') as file_object:
caldata = Calendar.from_ical(file_object.read())
keys = {'class': 'str', 'created': 'dt', 'description': 'str',
'dtstart': 'dt', 'dtend': 'dt', 'timestamp': 'dt', 'modified': 'dt',
'location': 'str', 'status': 'str', 'summary': 'str', 'uid': 'str'}
mapping = {'description': 'summary', 'summary': 'name'}
imports = []
def x(original, logfacilty):
log('Passthrough filter')
return original
if execfilter is not None:
import os
textFilePath = os.path.abspath(os.path.join(os.path.curdir, execfilter)
)
textFileFolder = os.path.dirname(textFilePath)
from importlib.machinery import SourceFileLoader
filter_module = SourceFileLoader('importfilter', textFilePath
).load_module()
ical_import_filter = filter_module.ical_import_filter
for event in caldata.walk():
if event.name == 'VEVENT':
log(event, lvl=verbose, pretty=True)
initializer = {'uuid': std_uuid(), 'calendar': calendar.uuid}
for item in keys:
thing = event.get(item, None)
if thing is None:
thing = 'NO-' + item
elif keys[item] == 'str':
thing = str(thing)
else:
thing = parser.parse(str(thing.dt))
thing = thing.isoformat()
if item in mapping:
item_assignment = mapping[item]
else:
item_assignment = item
initializer[item_assignment] = thing
new_event = objectmodels['event'](initializer)
new_event = ical_import_filter(new_event, log)
imports.append(new_event)
log(new_event, lvl=debug)
for ev in imports:
log(ev.summary)
if not dry:
log('Bulk creating events')
objectmodels['event'].bulk_create(imports)
calendar.save()
else:
log('Dry run - nothing stored.', lvl=warn)
| ICALImporter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, filename, all, owner, calendar, create_calendar, clear_calendar,\n dry, execfilter):\n log('iCal importer running')\n objectmodels = ctx.obj['db'].objectmodels\n if objectmodels['user'].count({'name': owner}) > 0:\n owner_object = objectmodels['user'].find_one({'name': owner})\n elif objectmodels['user'].count({'uuid': owner}) > 0:\n owner_object = objectmodels['user'].find_one({'uuid': owner})\n else:\n log('User unknown. Specify either uuid or name.', lvl=warn)\n return\n log('Found user')\n if objectmodels['calendar'].count({'name': calendar}) > 0:\n calendar = objectmodels['calendar'].find_one({'name': calendar})\n elif objectmodels['calendar'].count({'uuid': owner}) > 0:\n calendar = objectmodels['calendar'].find_one({'uuid': calendar})\n elif create_calendar:\n calendar = objectmodels['calendar']({'uuid': std_uuid(), 'name':\n calendar})\n else:\n log('Calendar unknown and no --create-calendar specified. Specify either uuid or name of an existing calendar.'\n , lvl=warn)\n return\n log('Found calendar')\n if clear_calendar is True:\n log('Clearing calendar events')\n for item in objectmodels['event'].find({'calendar': calendar.uuid}):\n item.delete()\n with open(filename, 'rb') as file_object:\n caldata = Calendar.from_ical(file_object.read())\n keys = {'class': 'str', 'created': 'dt', 'description': 'str',\n 'dtstart': 'dt', 'dtend': 'dt', 'timestamp': 'dt', 'modified': 'dt',\n 'location': 'str', 'status': 'str', 'summary': 'str', 'uid': 'str'}\n mapping = {'description': 'summary', 'summary': 'name'}\n imports = []\n\n def x(original, logfacilty):\n log('Passthrough filter')\n return original\n if execfilter is not None:\n import os\n textFilePath = os.path.abspath(os.path.join(os.path.curdir, execfilter)\n )\n textFileFolder = os.path.dirname(textFilePath)\n from importlib.machinery import SourceFileLoader\n filter_module = SourceFileLoader('importfilter', textFilePath\n ).load_module()\n ical_import_filter = filter_module.ical_import_filter\n for event in caldata.walk():\n if event.name == 'VEVENT':\n log(event, lvl=verbose, pretty=True)\n initializer = {'uuid': std_uuid(), 'calendar': calendar.uuid}\n for item in keys:\n thing = event.get(item, None)\n if thing is None:\n thing = 'NO-' + item\n elif keys[item] == 'str':\n thing = str(thing)\n else:\n thing = parser.parse(str(thing.dt))\n thing = thing.isoformat()\n if item in mapping:\n item_assignment = mapping[item]\n else:\n item_assignment = item\n initializer[item_assignment] = thing\n new_event = objectmodels['event'](initializer)\n new_event = ical_import_filter(new_event, log)\n imports.append(new_event)\n log(new_event, lvl=debug)\n for ev in imports:\n log(ev.summary)\n if not dry:\n log('Bulk creating events')\n objectmodels['event'].bulk_create(imports)\n calendar.save()\n else:\n log('Dry run - nothing stored.', lvl=warn)\n",
"role": "user"
},
{
"content": "ICALImporter",
"role": "assistant"
}
] |
def x(schema=None):
entrypoints = {}
old = {}
def x(migrations, new_model):
def x(raw_path):
print('RAW PATH:', raw_path, type(raw_path))
path = []
for item in raw_path.split('['):
print(item)
item = item.rstrip(']')
item = item.replace('"', '')
item = item.replace("'", '')
try:
item = int(item)
except ValueError:
pass
path.append(item)
path.remove('root')
print('PATH:', path)
return path
def x(changetype, change, result):
def x(removes, result):
for remove in removes:
path = get_path(remove)
amount = dpath.util.delete(result, path)
assert amount == 1
return result
def x(additions, result):
for addition in additions:
path = get_path(addition)
entry = additions[addition]
hfoslog('Adding:', entry, 'at', path)
dpath.util.new(result, path, entry)
return result
if changetype == 'type_changes':
hfoslog('Creating new object')
result = change['root']['new_value']
return result
if changetype == 'dictionary_item_added':
hfoslog('Adding items')
result = apply_additions(change, result)
elif changetype == 'dictionary_item_removed':
hfoslog('Removing items')
result = apply_removes(change, result)
elif changetype == 'values_changed':
hfoslog("Changing items' types")
for item in change:
path = get_path(item)
hfoslog('Changing', path, 'from', change[item][
'old_value'], ' to', change[item]['new_value'])
assert dpath.util.get(result, path) == change[item][
'old_value']
amount = dpath.util.set(result, path, change[item][
'new_value'])
assert amount == 1
return result
def x(migrations):
hfoslog('Checking for rename operations:')
pprint(migrations)
for entry in migrations:
added = entry.get('dictionary_item_added', None)
removed = entry.get('dictionary_item_removed', None)
renames = []
if added and removed:
for addition in added:
path = get_path(addition)
for removal in removed:
removed_path = get_path(removal)
if path[:-1] == removed_path[:-1]:
hfoslog('Possible rename detected:', removal,
'->', addition)
renames.append((removed_path, path))
return renames
result = {}
for no, migration in enumerate(migrations):
hfoslog('Migrating', no)
hfoslog('Migration:', migration, lvl=debug)
renamed = get_renames(migrations)
for entry in migration:
result = apply_entry(entry, migration[entry], result)
pprint(result)
return result
def x(schema, counter, path, previous, current):
filename = '%s_%04i.json' % (schema, counter)
migration = DeepDiff(previous, current, verbose_level=2).json
if migration == '{}':
hfoslog('Nothing changed - no new migration data.', lvl=warn)
return
print('Writing migration: ', os.path.join(path, filename))
pprint(migration)
with open(os.path.join(path, filename), 'w') as f:
f.write(migration)
for schema_entrypoint in iter_entry_points(group='hfos.schemata', name=None
):
try:
hfoslog('Schemata found: ', schema_entrypoint.name, lvl=debug,
emitter='DB')
if schema is not None and schema_entrypoint.name != schema:
continue
entrypoints[schema_entrypoint.name] = schema_entrypoint
pprint(schema_entrypoint.dist.location)
schema_top = schema_entrypoint.dist.location
schema_migrations = schema_entrypoint.module_name.replace(
'schemata', 'migrations').replace('.', '/')
path = os.path.join(schema_top, schema_migrations)
new_model = schema_entrypoint.load()['schema']
migrations = []
try:
for file in sorted(os.listdir(path)):
if not file.endswith('.json'):
continue
fullpath = os.path.join(path, file)
hfoslog('Importing migration', fullpath)
with open(fullpath, 'r') as f:
migration = DeepDiff.from_json(f.read())
migrations.append(migration)
hfoslog('Successfully imported')
if len(migrations) == 0:
raise ImportError
pprint(migrations)
model = apply_migrations(migrations, new_model)
write_migration(schema, len(migrations) + 1, path, model,
new_model)
except ImportError as e:
hfoslog('No previous migrations for', schema, e, type(e),
exc=True)
if len(migrations) == 0:
write_migration(schema, 1, path, None, new_model)
except (ImportError, DistributionNotFound) as e:
hfoslog('Problematic schema: ', e, type(e), schema_entrypoint.
name, exc=True, lvl=warn, emitter='SCHEMATA')
hfoslog('Found schemata: ', sorted(entrypoints.keys()), lvl=debug,
emitter='SCHEMATA')
pprint(entrypoints)
def x(old, new):
pass
| make_migrations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(schema=None):\n entrypoints = {}\n old = {}\n\n def x(migrations, new_model):\n\n def x(raw_path):\n print('RAW PATH:', raw_path, type(raw_path))\n path = []\n for item in raw_path.split('['):\n print(item)\n item = item.rstrip(']')\n item = item.replace('\"', '')\n item = item.replace(\"'\", '')\n try:\n item = int(item)\n except ValueError:\n pass\n path.append(item)\n path.remove('root')\n print('PATH:', path)\n return path\n\n def x(changetype, change, result):\n\n def x(removes, result):\n for remove in removes:\n path = get_path(remove)\n amount = dpath.util.delete(result, path)\n assert amount == 1\n return result\n\n def x(additions, result):\n for addition in additions:\n path = get_path(addition)\n entry = additions[addition]\n hfoslog('Adding:', entry, 'at', path)\n dpath.util.new(result, path, entry)\n return result\n if changetype == 'type_changes':\n hfoslog('Creating new object')\n result = change['root']['new_value']\n return result\n if changetype == 'dictionary_item_added':\n hfoslog('Adding items')\n result = apply_additions(change, result)\n elif changetype == 'dictionary_item_removed':\n hfoslog('Removing items')\n result = apply_removes(change, result)\n elif changetype == 'values_changed':\n hfoslog(\"Changing items' types\")\n for item in change:\n path = get_path(item)\n hfoslog('Changing', path, 'from', change[item][\n 'old_value'], ' to', change[item]['new_value'])\n assert dpath.util.get(result, path) == change[item][\n 'old_value']\n amount = dpath.util.set(result, path, change[item][\n 'new_value'])\n assert amount == 1\n return result\n\n def x(migrations):\n hfoslog('Checking for rename operations:')\n pprint(migrations)\n for entry in migrations:\n added = entry.get('dictionary_item_added', None)\n removed = entry.get('dictionary_item_removed', None)\n renames = []\n if added and removed:\n for addition in added:\n path = get_path(addition)\n for removal in removed:\n removed_path = get_path(removal)\n if path[:-1] == removed_path[:-1]:\n hfoslog('Possible rename detected:', removal,\n '->', addition)\n renames.append((removed_path, path))\n return renames\n result = {}\n for no, migration in enumerate(migrations):\n hfoslog('Migrating', no)\n hfoslog('Migration:', migration, lvl=debug)\n renamed = get_renames(migrations)\n for entry in migration:\n result = apply_entry(entry, migration[entry], result)\n pprint(result)\n return result\n\n def x(schema, counter, path, previous, current):\n filename = '%s_%04i.json' % (schema, counter)\n migration = DeepDiff(previous, current, verbose_level=2).json\n if migration == '{}':\n hfoslog('Nothing changed - no new migration data.', lvl=warn)\n return\n print('Writing migration: ', os.path.join(path, filename))\n pprint(migration)\n with open(os.path.join(path, filename), 'w') as f:\n f.write(migration)\n for schema_entrypoint in iter_entry_points(group='hfos.schemata', name=None\n ):\n try:\n hfoslog('Schemata found: ', schema_entrypoint.name, lvl=debug,\n emitter='DB')\n if schema is not None and schema_entrypoint.name != schema:\n continue\n entrypoints[schema_entrypoint.name] = schema_entrypoint\n pprint(schema_entrypoint.dist.location)\n schema_top = schema_entrypoint.dist.location\n schema_migrations = schema_entrypoint.module_name.replace(\n 'schemata', 'migrations').replace('.', '/')\n path = os.path.join(schema_top, schema_migrations)\n new_model = schema_entrypoint.load()['schema']\n migrations = []\n try:\n for file in sorted(os.listdir(path)):\n if not file.endswith('.json'):\n continue\n fullpath = os.path.join(path, file)\n hfoslog('Importing migration', fullpath)\n with open(fullpath, 'r') as f:\n migration = DeepDiff.from_json(f.read())\n migrations.append(migration)\n hfoslog('Successfully imported')\n if len(migrations) == 0:\n raise ImportError\n pprint(migrations)\n model = apply_migrations(migrations, new_model)\n write_migration(schema, len(migrations) + 1, path, model,\n new_model)\n except ImportError as e:\n hfoslog('No previous migrations for', schema, e, type(e),\n exc=True)\n if len(migrations) == 0:\n write_migration(schema, 1, path, None, new_model)\n except (ImportError, DistributionNotFound) as e:\n hfoslog('Problematic schema: ', e, type(e), schema_entrypoint.\n name, exc=True, lvl=warn, emitter='SCHEMATA')\n hfoslog('Found schemata: ', sorted(entrypoints.keys()), lvl=debug,\n emitter='SCHEMATA')\n pprint(entrypoints)\n\n def x(old, new):\n pass\n",
"role": "user"
},
{
"content": "make_migrations",
"role": "assistant"
}
] |
def x(self, event):
try:
user_uuid = event.useruuid
user = objectmodels['user'].find_one({'uuid': user_uuid})
if user_uuid not in self.lastlogs:
self.log('Setting up lastlog for a new user.', lvl=debug)
lastlog = objectmodels['chatlastlog']({'owner': user_uuid,
'uuid': std_uuid(), 'channels': {}})
lastlog.save()
self.lastlogs[user_uuid] = lastlog
self.users[user_uuid] = user
self.user_attention[user_uuid] = None
self._send_status(user_uuid, event.clientuuid)
except Exception as e:
self.log('Error during chat setup of user:', e, type(e), exc=True)
| userlogin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n try:\n user_uuid = event.useruuid\n user = objectmodels['user'].find_one({'uuid': user_uuid})\n if user_uuid not in self.lastlogs:\n self.log('Setting up lastlog for a new user.', lvl=debug)\n lastlog = objectmodels['chatlastlog']({'owner': user_uuid,\n 'uuid': std_uuid(), 'channels': {}})\n lastlog.save()\n self.lastlogs[user_uuid] = lastlog\n self.users[user_uuid] = user\n self.user_attention[user_uuid] = None\n self._send_status(user_uuid, event.clientuuid)\n except Exception as e:\n self.log('Error during chat setup of user:', e, type(e), exc=True)\n",
"role": "user"
},
{
"content": "userlogin",
"role": "assistant"
}
] |
def x(self, event):
try:
channel_uuid = event.data
user_uuid = event.user.uuid
if channel_uuid in self.chat_channels:
self.log('User joins a known channel', lvl=debug)
if user_uuid in self.chat_channels[channel_uuid].users:
self.log('User already joined', lvl=warn)
else:
self.chat_channels[channel_uuid].users.append(user_uuid)
self.chat_channels[channel_uuid].save()
packet = {'component': 'hfos.chat.host', 'action': 'join',
'data': channel_uuid}
self.fireEvent(send(event.client.uuid, packet))
else:
self.log('Request to join unavailable channel', lvl=warn)
except Exception as e:
self.log('Join error:', e, type(e), exc=True, lvl=error)
| join | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n try:\n channel_uuid = event.data\n user_uuid = event.user.uuid\n if channel_uuid in self.chat_channels:\n self.log('User joins a known channel', lvl=debug)\n if user_uuid in self.chat_channels[channel_uuid].users:\n self.log('User already joined', lvl=warn)\n else:\n self.chat_channels[channel_uuid].users.append(user_uuid)\n self.chat_channels[channel_uuid].save()\n packet = {'component': 'hfos.chat.host', 'action': 'join',\n 'data': channel_uuid}\n self.fireEvent(send(event.client.uuid, packet))\n else:\n self.log('Request to join unavailable channel', lvl=warn)\n except Exception as e:\n self.log('Join error:', e, type(e), exc=True, lvl=error)\n",
"role": "user"
},
{
"content": "join",
"role": "assistant"
}
] |
def x(self, event):
try:
userid = event.user.uuid
recipient = self._get_recipient(event)
content = self._get_content(event)
message = objectmodels['chatmessage']({'timestamp': time(),
'recipient': recipient, 'sender': userid, 'content': content,
'uuid': std_uuid()})
message.save()
chat_packet = {'component': 'hfos.chat.host', 'action': 'say',
'data': message.serializablefields()}
if recipient in self.chat_channels:
for useruuid in self.users:
if useruuid in self.chat_channels[recipient].users:
self.log('User in channel', lvl=debug)
self.update_lastlog(useruuid, recipient)
self.log('Sending message', lvl=debug)
self.fireEvent(send(useruuid, chat_packet, sendtype='user')
)
except Exception as e:
self.log("Error: '%s' %s" % (e, type(e)), exc=True, lvl=error)
| say | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n try:\n userid = event.user.uuid\n recipient = self._get_recipient(event)\n content = self._get_content(event)\n message = objectmodels['chatmessage']({'timestamp': time(),\n 'recipient': recipient, 'sender': userid, 'content': content,\n 'uuid': std_uuid()})\n message.save()\n chat_packet = {'component': 'hfos.chat.host', 'action': 'say',\n 'data': message.serializablefields()}\n if recipient in self.chat_channels:\n for useruuid in self.users:\n if useruuid in self.chat_channels[recipient].users:\n self.log('User in channel', lvl=debug)\n self.update_lastlog(useruuid, recipient)\n self.log('Sending message', lvl=debug)\n self.fireEvent(send(useruuid, chat_packet, sendtype='user')\n )\n except Exception as e:\n self.log(\"Error: '%s' %s\" % (e, type(e)), exc=True, lvl=error)\n",
"role": "user"
},
{
"content": "say",
"role": "assistant"
}
] |
def x(instance, clear_target):
_check_root()
def x():
log('Generating HTML documentation')
try:
build = Popen(['make', 'html'], cwd='docs/')
build.wait()
except Exception as e:
log('Problem during documentation building: ', e, type(e), exc=
True, lvl=error)
return False
return True
make_docs()
target = os.path.join('/var/lib/hfos', instance, 'frontend/docs')
source = 'docs/build/html'
log('Updating documentation directory:', target)
if not os.path.exists(os.path.join(os.path.curdir, source)):
log('Documentation not existing yet. Run python setup.py build_sphinx first.'
, lvl=error)
return
if os.path.exists(target):
log('Path already exists: ' + target)
if clear_target:
log('Cleaning up ' + target, lvl=warn)
shutil.rmtree(target)
log('Copying docs to ' + target)
copy_tree(source, target)
log('Done: Install Docs')
| install_docs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(instance, clear_target):\n _check_root()\n\n def x():\n log('Generating HTML documentation')\n try:\n build = Popen(['make', 'html'], cwd='docs/')\n build.wait()\n except Exception as e:\n log('Problem during documentation building: ', e, type(e), exc=\n True, lvl=error)\n return False\n return True\n make_docs()\n target = os.path.join('/var/lib/hfos', instance, 'frontend/docs')\n source = 'docs/build/html'\n log('Updating documentation directory:', target)\n if not os.path.exists(os.path.join(os.path.curdir, source)):\n log('Documentation not existing yet. Run python setup.py build_sphinx first.'\n , lvl=error)\n return\n if os.path.exists(target):\n log('Path already exists: ' + target)\n if clear_target:\n log('Cleaning up ' + target, lvl=warn)\n shutil.rmtree(target)\n log('Copying docs to ' + target)\n copy_tree(source, target)\n log('Done: Install Docs')\n",
"role": "user"
},
{
"content": "install_docs",
"role": "assistant"
}
] |
def x(ctx, clear_target, clear_all):
install_var(str(ctx.obj['instance']), clear_target, clear_all)
| var | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, clear_target, clear_all):\n install_var(str(ctx.obj['instance']), clear_target, clear_all)\n",
"role": "user"
},
{
"content": "var",
"role": "assistant"
}
] |
def x(instance, clear_target, clear_all):
_check_root()
log('Checking frontend library and cache directories', emitter='MANAGE')
uid = pwd.getpwnam('hfos').pw_uid
gid = grp.getgrnam('hfos').gr_gid
join = os.path.join
target_paths = '/var/www/challenges', join('/var/lib/hfos', instance
), join('/var/local/hfos', instance), join('/var/local/hfos',
instance, 'backup'), join('/var/cache/hfos', instance), join(
'/var/cache/hfos', instance, 'tilecache'), join('/var/cache/hfos',
instance, 'rastertiles'), join('/var/cache/hfos', instance,
'rastercache')
logfile = '/var/log/hfos-' + instance + '.log'
for item in target_paths:
if os.path.exists(item):
log('Path already exists: ' + item)
if clear_all or clear_target and 'cache' in item:
log('Cleaning up: ' + item, lvl=warn)
shutil.rmtree(item)
if not os.path.exists(item):
log('Creating path: ' + item)
os.mkdir(item)
os.chown(item, uid, gid)
open(logfile, 'a').close()
os.chown(logfile, uid, gid)
log('Done: Install Var')
| install_var | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(instance, clear_target, clear_all):\n _check_root()\n log('Checking frontend library and cache directories', emitter='MANAGE')\n uid = pwd.getpwnam('hfos').pw_uid\n gid = grp.getgrnam('hfos').gr_gid\n join = os.path.join\n target_paths = '/var/www/challenges', join('/var/lib/hfos', instance\n ), join('/var/local/hfos', instance), join('/var/local/hfos',\n instance, 'backup'), join('/var/cache/hfos', instance), join(\n '/var/cache/hfos', instance, 'tilecache'), join('/var/cache/hfos',\n instance, 'rastertiles'), join('/var/cache/hfos', instance,\n 'rastercache')\n logfile = '/var/log/hfos-' + instance + '.log'\n for item in target_paths:\n if os.path.exists(item):\n log('Path already exists: ' + item)\n if clear_all or clear_target and 'cache' in item:\n log('Cleaning up: ' + item, lvl=warn)\n shutil.rmtree(item)\n if not os.path.exists(item):\n log('Creating path: ' + item)\n os.mkdir(item)\n os.chown(item, uid, gid)\n open(logfile, 'a').close()\n os.chown(logfile, uid, gid)\n log('Done: Install Var')\n",
"role": "user"
},
{
"content": "install_var",
"role": "assistant"
}
] |
def x(ctx, provision, clear_existing, overwrite, list_provisions):
install_provisions(ctx, provision, clear_existing, overwrite,
list_provisions)
| provisions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, provision, clear_existing, overwrite, list_provisions):\n install_provisions(ctx, provision, clear_existing, overwrite,\n list_provisions)\n",
"role": "user"
},
{
"content": "provisions",
"role": "assistant"
}
] |
def x(ctx, provision, clear_provisions=False, overwrite=False,
list_provisions=False):
log('Installing HFOS default provisions')
from hfos import database
database.initialize(ctx.obj['dbhost'], ctx.obj['dbname'])
from hfos.provisions import build_provision_store
provision_store = build_provision_store()
def x(items):
g = networkx.DiGraph()
log('Sorting dependencies')
for key, item in items:
log('key: ', key, 'item:', item, pretty=True, lvl=debug)
dependencies = item.get('dependencies', [])
if isinstance(dependencies, str):
dependencies = [dependencies]
if key not in g:
g.add_node(key)
for link in dependencies:
g.add_edge(key, link)
if not networkx.is_directed_acyclic_graph(g):
log('Cycles in provosioning dependency graph detected!', lvl=error)
log('Involved provisions:', list(networkx.simple_cycles(g)),
lvl=error)
topology = list(networkx.algorithms.topological_sort(g))
topology.reverse()
log(topology, pretty=True)
return topology
if list_provisions:
sort_dependencies(provision_store.items())
exit()
def x(item):
method = item.get('method', provisionList)
model = item.get('model')
data = item.get('data')
method(data, model, overwrite=overwrite, clear=clear_provisions)
if provision is not None:
if provision in provision_store:
log('Provisioning ', provision, pretty=True)
provision_item(provision_store[provision])
else:
log('Unknown provision: ', provision, '\nValid provisions are',
list(provision_store.keys()), lvl=error, emitter='MANAGE')
else:
for name in sort_dependencies(provision_store.items()):
log('Provisioning', name, pretty=True)
provision_item(provision_store[name])
log('Done: Install Provisions')
| install_provisions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, provision, clear_provisions=False, overwrite=False,\n list_provisions=False):\n log('Installing HFOS default provisions')\n from hfos import database\n database.initialize(ctx.obj['dbhost'], ctx.obj['dbname'])\n from hfos.provisions import build_provision_store\n provision_store = build_provision_store()\n\n def x(items):\n g = networkx.DiGraph()\n log('Sorting dependencies')\n for key, item in items:\n log('key: ', key, 'item:', item, pretty=True, lvl=debug)\n dependencies = item.get('dependencies', [])\n if isinstance(dependencies, str):\n dependencies = [dependencies]\n if key not in g:\n g.add_node(key)\n for link in dependencies:\n g.add_edge(key, link)\n if not networkx.is_directed_acyclic_graph(g):\n log('Cycles in provosioning dependency graph detected!', lvl=error)\n log('Involved provisions:', list(networkx.simple_cycles(g)),\n lvl=error)\n topology = list(networkx.algorithms.topological_sort(g))\n topology.reverse()\n log(topology, pretty=True)\n return topology\n if list_provisions:\n sort_dependencies(provision_store.items())\n exit()\n\n def x(item):\n method = item.get('method', provisionList)\n model = item.get('model')\n data = item.get('data')\n method(data, model, overwrite=overwrite, clear=clear_provisions)\n if provision is not None:\n if provision in provision_store:\n log('Provisioning ', provision, pretty=True)\n provision_item(provision_store[provision])\n else:\n log('Unknown provision: ', provision, '\\nValid provisions are',\n list(provision_store.keys()), lvl=error, emitter='MANAGE')\n else:\n for name in sort_dependencies(provision_store.items()):\n log('Provisioning', name, pretty=True)\n provision_item(provision_store[name])\n log('Done: Install Provisions')\n",
"role": "user"
},
{
"content": "install_provisions",
"role": "assistant"
}
] |
def x(wip):
def x(hfos_module):
try:
setup = Popen([sys.executable, 'setup.py', 'develop'], cwd=
'modules/' + hfos_module + '/')
setup.wait()
except Exception as e:
log('Problem during module installation: ', hfos_module, e,
type(e), exc=True, lvl=error)
return False
return True
modules_production = ['navdata', 'alert', 'automat', 'busrepeater',
'calendar', 'countables', 'dash', 'enrol', 'mail', 'maps', 'nmea',
'nodestate', 'project', 'webguides', 'wiki']
modules_wip = ['calc', 'camera', 'chat', 'comms', 'contacts', 'crew',
'equipment', 'filemanager', 'garden', 'heroic', 'ldap', 'library',
'logbook', 'protocols', 'polls', 'mesh', 'robot', 'switchboard',
'shareables']
installables = modules_production
if wip:
installables.extend(modules_wip)
success = []
failed = []
for installable in installables:
log('Installing module ', installable)
if install_module(installable):
success.append(installable)
else:
failed.append(installable)
log('Installed modules: ', success)
if len(failed) > 0:
log('Failed modules: ', failed)
log('Done: Install Modules')
| install_modules | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(wip):\n\n def x(hfos_module):\n try:\n setup = Popen([sys.executable, 'setup.py', 'develop'], cwd=\n 'modules/' + hfos_module + '/')\n setup.wait()\n except Exception as e:\n log('Problem during module installation: ', hfos_module, e,\n type(e), exc=True, lvl=error)\n return False\n return True\n modules_production = ['navdata', 'alert', 'automat', 'busrepeater',\n 'calendar', 'countables', 'dash', 'enrol', 'mail', 'maps', 'nmea',\n 'nodestate', 'project', 'webguides', 'wiki']\n modules_wip = ['calc', 'camera', 'chat', 'comms', 'contacts', 'crew',\n 'equipment', 'filemanager', 'garden', 'heroic', 'ldap', 'library',\n 'logbook', 'protocols', 'polls', 'mesh', 'robot', 'switchboard',\n 'shareables']\n installables = modules_production\n if wip:\n installables.extend(modules_wip)\n success = []\n failed = []\n for installable in installables:\n log('Installing module ', installable)\n if install_module(installable):\n success.append(installable)\n else:\n failed.append(installable)\n log('Installed modules: ', success)\n if len(failed) > 0:\n log('Failed modules: ', failed)\n log('Done: Install Modules')\n",
"role": "user"
},
{
"content": "install_modules",
"role": "assistant"
}
] |
def x(ctx):
install_service(ctx.obj['instance'], ctx.obj['dbhost'], ctx.obj[
'dbname'], ctx.obj['port'])
| service | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx):\n install_service(ctx.obj['instance'], ctx.obj['dbhost'], ctx.obj[\n 'dbname'], ctx.obj['port'])\n",
"role": "user"
},
{
"content": "service",
"role": "assistant"
}
] |
def x(instance, dbhost, dbname, port):
_check_root()
log('Installing systemd service')
launcher = os.path.realpath(__file__).replace('manage', 'launcher')
executable = sys.executable + ' ' + launcher
executable += ' --instance ' + instance
executable += ' --dbname ' + dbname + ' --dbhost ' + dbhost
executable += ' --port ' + port
executable += ' --dolog --logfile /var/log/hfos-' + instance + '.log'
executable += ' --logfileverbosity 30 -q'
definitions = {'instance': instance, 'executable': executable}
service_name = 'hfos-' + instance + '.service'
write_template_file(os.path.join('dev/templates', service_template), os
.path.join('/etc/systemd/system/', service_name), definitions)
Popen(['systemctl', 'enable', service_name])
log('Launching service')
Popen(['systemctl', 'start', service_name])
log('Done: Install Service')
| install_service | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(instance, dbhost, dbname, port):\n _check_root()\n log('Installing systemd service')\n launcher = os.path.realpath(__file__).replace('manage', 'launcher')\n executable = sys.executable + ' ' + launcher\n executable += ' --instance ' + instance\n executable += ' --dbname ' + dbname + ' --dbhost ' + dbhost\n executable += ' --port ' + port\n executable += ' --dolog --logfile /var/log/hfos-' + instance + '.log'\n executable += ' --logfileverbosity 30 -q'\n definitions = {'instance': instance, 'executable': executable}\n service_name = 'hfos-' + instance + '.service'\n write_template_file(os.path.join('dev/templates', service_template), os\n .path.join('/etc/systemd/system/', service_name), definitions)\n Popen(['systemctl', 'enable', service_name])\n log('Launching service')\n Popen(['systemctl', 'start', service_name])\n log('Done: Install Service')\n",
"role": "user"
},
{
"content": "install_service",
"role": "assistant"
}
] |
def x(ctx, hostname):
install_nginx(ctx.obj['dbhost'], ctx.obj['dbname'], ctx.obj['port'],
hostname)
| nginx | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, hostname):\n install_nginx(ctx.obj['dbhost'], ctx.obj['dbname'], ctx.obj['port'],\n hostname)\n",
"role": "user"
},
{
"content": "nginx",
"role": "assistant"
}
] |
def x(instance, dbhost, dbname, port, hostname=None):
_check_root()
log('Installing nginx configuration')
if hostname is None:
try:
configuration = _get_system_configuration(dbhost, dbname)
hostname = configuration.hostname
except Exception as e:
log('Exception:', e, type(e), exc=True, lvl=error)
log("""Could not determine public fully qualified hostname!
Check systemconfig (see db view and db modify commands) or specify
manually with --hostname host.domain.tld
Using 'localhost' for now"""
, lvl=warn)
hostname = 'localhost'
definitions = {'instance': instance, 'server_public_name': hostname,
'ssl_certificate': cert_file, 'ssl_key': key_file, 'host_url':
'http://127.0.0.1:%i/' % port}
if distribution == 'DEBIAN':
configuration_file = ('/etc/nginx/sites-available/hfos.%s.conf' %
instance)
configuration_link = '/etc/nginx/sites-enabled/hfos.%s.conf' % instance
elif distribution == 'ARCH':
configuration_file = '/etc/nginx/nginx.conf'
configuration_link = None
else:
log('Unsure how to proceed, you may need to specify your distribution',
lvl=error)
return
log('Writing nginx HFOS site definition')
write_template_file(os.path.join('dev/templates', nginx_configuration),
configuration_file, definitions)
if configuration_link is not None:
log('Enabling nginx HFOS site (symlink)')
if not os.path.exists(configuration_link):
os.symlink(configuration_file, configuration_link)
log('Restarting nginx service')
Popen(['systemctl', 'restart', 'nginx.service'])
log('Done: Install nginx configuration')
| install_nginx | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(instance, dbhost, dbname, port, hostname=None):\n _check_root()\n log('Installing nginx configuration')\n if hostname is None:\n try:\n configuration = _get_system_configuration(dbhost, dbname)\n hostname = configuration.hostname\n except Exception as e:\n log('Exception:', e, type(e), exc=True, lvl=error)\n log(\"\"\"Could not determine public fully qualified hostname!\nCheck systemconfig (see db view and db modify commands) or specify\nmanually with --hostname host.domain.tld\n\nUsing 'localhost' for now\"\"\"\n , lvl=warn)\n hostname = 'localhost'\n definitions = {'instance': instance, 'server_public_name': hostname,\n 'ssl_certificate': cert_file, 'ssl_key': key_file, 'host_url': \n 'http://127.0.0.1:%i/' % port}\n if distribution == 'DEBIAN':\n configuration_file = ('/etc/nginx/sites-available/hfos.%s.conf' %\n instance)\n configuration_link = '/etc/nginx/sites-enabled/hfos.%s.conf' % instance\n elif distribution == 'ARCH':\n configuration_file = '/etc/nginx/nginx.conf'\n configuration_link = None\n else:\n log('Unsure how to proceed, you may need to specify your distribution',\n lvl=error)\n return\n log('Writing nginx HFOS site definition')\n write_template_file(os.path.join('dev/templates', nginx_configuration),\n configuration_file, definitions)\n if configuration_link is not None:\n log('Enabling nginx HFOS site (symlink)')\n if not os.path.exists(configuration_link):\n os.symlink(configuration_file, configuration_link)\n log('Restarting nginx service')\n Popen(['systemctl', 'restart', 'nginx.service'])\n log('Done: Install nginx configuration')\n",
"role": "user"
},
{
"content": "install_nginx",
"role": "assistant"
}
] |
def x(selfsigned):
_check_root()
if selfsigned:
log('Generating self signed (insecure) certificate/key combination')
try:
os.mkdir('/etc/ssl/certs/hfos')
except FileExistsError:
pass
except PermissionError:
log('Need root (e.g. via sudo) to generate ssl certificate')
sys.exit(1)
def x():
k = crypto.PKey()
k.generate_key(crypto.TYPE_RSA, 1024)
if os.path.exists(cert_file):
try:
certificate = open(cert_file, 'rb').read()
old_cert = crypto.load_certificate(crypto.FILETYPE_PEM,
certificate)
serial = old_cert.get_serial_number() + 1
except (crypto.Error, OSError) as e:
log('Could not read old certificate to increment serial:',
type(e), e, exc=True, lvl=warn)
serial = 1
else:
serial = 1
certificate = crypto.X509()
certificate.get_subject().C = 'DE'
certificate.get_subject().ST = 'Berlin'
certificate.get_subject().L = 'Berlin'
certificate.get_subject().O = 'Hackerfleet'
certificate.get_subject().OU = 'Hackerfleet'
certificate.get_subject().CN = gethostname()
certificate.set_serial_number(serial)
certificate.gmtime_adj_notBefore(0)
certificate.gmtime_adj_notAfter(10 * 365 * 24 * 60 * 60)
certificate.set_issuer(certificate.get_subject())
certificate.set_pubkey(k)
certificate.sign(k, b'sha512')
open(key_file, 'wt').write(str(crypto.dump_privatekey(crypto.
FILETYPE_PEM, k), encoding='ASCII'))
open(cert_file, 'wt').write(str(crypto.dump_certificate(crypto.
FILETYPE_PEM, certificate), encoding='ASCII'))
open(combined_file, 'wt').write(str(crypto.dump_certificate(
crypto.FILETYPE_PEM, certificate), encoding='ASCII') + str(
crypto.dump_privatekey(crypto.FILETYPE_PEM, k), encoding=
'ASCII'))
create_self_signed_cert()
log('Done: Install Cert')
else:
log('Not implemented yet. You can build your own certificate and store it in /etc/ssl/certs/hfos/server-cert.pem - it should be a certificate with key, as this is used server side and there is no way to enter a separate key.'
, lvl=error)
| install_cert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(selfsigned):\n _check_root()\n if selfsigned:\n log('Generating self signed (insecure) certificate/key combination')\n try:\n os.mkdir('/etc/ssl/certs/hfos')\n except FileExistsError:\n pass\n except PermissionError:\n log('Need root (e.g. via sudo) to generate ssl certificate')\n sys.exit(1)\n\n def x():\n k = crypto.PKey()\n k.generate_key(crypto.TYPE_RSA, 1024)\n if os.path.exists(cert_file):\n try:\n certificate = open(cert_file, 'rb').read()\n old_cert = crypto.load_certificate(crypto.FILETYPE_PEM,\n certificate)\n serial = old_cert.get_serial_number() + 1\n except (crypto.Error, OSError) as e:\n log('Could not read old certificate to increment serial:',\n type(e), e, exc=True, lvl=warn)\n serial = 1\n else:\n serial = 1\n certificate = crypto.X509()\n certificate.get_subject().C = 'DE'\n certificate.get_subject().ST = 'Berlin'\n certificate.get_subject().L = 'Berlin'\n certificate.get_subject().O = 'Hackerfleet'\n certificate.get_subject().OU = 'Hackerfleet'\n certificate.get_subject().CN = gethostname()\n certificate.set_serial_number(serial)\n certificate.gmtime_adj_notBefore(0)\n certificate.gmtime_adj_notAfter(10 * 365 * 24 * 60 * 60)\n certificate.set_issuer(certificate.get_subject())\n certificate.set_pubkey(k)\n certificate.sign(k, b'sha512')\n open(key_file, 'wt').write(str(crypto.dump_privatekey(crypto.\n FILETYPE_PEM, k), encoding='ASCII'))\n open(cert_file, 'wt').write(str(crypto.dump_certificate(crypto.\n FILETYPE_PEM, certificate), encoding='ASCII'))\n open(combined_file, 'wt').write(str(crypto.dump_certificate(\n crypto.FILETYPE_PEM, certificate), encoding='ASCII') + str(\n crypto.dump_privatekey(crypto.FILETYPE_PEM, k), encoding=\n 'ASCII'))\n create_self_signed_cert()\n log('Done: Install Cert')\n else:\n log('Not implemented yet. You can build your own certificate and store it in /etc/ssl/certs/hfos/server-cert.pem - it should be a certificate with key, as this is used server side and there is no way to enter a separate key.'\n , lvl=error)\n",
"role": "user"
},
{
"content": "install_cert",
"role": "assistant"
}
] |
def x(ctx, dev, rebuild, no_install, build_type):
install_frontend(instance=ctx.obj['instance'], forcerebuild=rebuild,
development=dev, install=not no_install, build_type=build_type)
| frontend | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, dev, rebuild, no_install, build_type):\n install_frontend(instance=ctx.obj['instance'], forcerebuild=rebuild,\n development=dev, install=not no_install, build_type=build_type)\n",
"role": "user"
},
{
"content": "frontend",
"role": "assistant"
}
] |
def x(ctx, clear_all):
_check_root()
instance = ctx.obj['instance']
dbhost = ctx.obj['dbhost']
dbname = ctx.obj['dbname']
port = ctx.obj['port']
install_system_user()
install_cert(selfsigned=True)
install_var(instance, clear_target=clear_all, clear_all=clear_all)
install_modules(wip=False)
install_provisions(provision=None, clear_provisions=clear_all)
install_docs(instance, clear_target=clear_all)
install_service(instance, dbhost, dbname, port)
install_nginx(instance, dbhost, dbname, port)
log('Done')
| install_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, clear_all):\n _check_root()\n instance = ctx.obj['instance']\n dbhost = ctx.obj['dbhost']\n dbname = ctx.obj['dbname']\n port = ctx.obj['port']\n install_system_user()\n install_cert(selfsigned=True)\n install_var(instance, clear_target=clear_all, clear_all=clear_all)\n install_modules(wip=False)\n install_provisions(provision=None, clear_provisions=clear_all)\n install_docs(instance, clear_target=clear_all)\n install_service(instance, dbhost, dbname, port)\n install_nginx(instance, dbhost, dbname, port)\n log('Done')\n",
"role": "user"
},
{
"content": "install_all",
"role": "assistant"
}
] |
def x():
_check_root()
response = _ask(
'This will delete all data of your HFOS installations! TypeYES to continue:'
, default='N', show_hint=False)
if response == 'YES':
shutil.rmtree('/var/lib/hfos')
shutil.rmtree('/var/cache/hfos')
| uninstall | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n _check_root()\n response = _ask(\n 'This will delete all data of your HFOS installations! TypeYES to continue:'\n , default='N', show_hint=False)\n if response == 'YES':\n shutil.rmtree('/var/lib/hfos')\n shutil.rmtree('/var/cache/hfos')\n",
"role": "user"
},
{
"content": "uninstall",
"role": "assistant"
}
] |
def x(ctx, no_restart, no_rebuild):
instance = ctx.obj['instance']
log('Pulling github updates')
run_process('.', ['git', 'pull', 'origin', 'master'])
run_process('./frontend', ['git', 'pull', 'origin', 'master'])
if not no_rebuild:
log('Rebuilding frontend')
install_frontend(instance, forcerebuild=True, install=False,
development=True)
if not no_restart:
log('Restaring service')
if instance != 'hfos':
instance = 'hfos-' + instance
run_process('.', ['sudo', 'systemctl', 'restart', instance])
log('Done')
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, no_restart, no_rebuild):\n instance = ctx.obj['instance']\n log('Pulling github updates')\n run_process('.', ['git', 'pull', 'origin', 'master'])\n run_process('./frontend', ['git', 'pull', 'origin', 'master'])\n if not no_rebuild:\n log('Rebuilding frontend')\n install_frontend(instance, forcerebuild=True, install=False,\n development=True)\n if not no_restart:\n log('Restaring service')\n if instance != 'hfos':\n instance = 'hfos-' + instance\n run_process('.', ['sudo', 'systemctl', 'restart', instance])\n log('Done')\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, event):
self.log('Received raw data from bus', lvl=events)
if not parse:
return
nmea_time = event.data[0]
try:
parsed_data = parse(event.data[1])
except Exception as e:
self.log('Unparseable sentence:', event.data[1], e, type(e), exc=
True, lvl=warn)
self.unparsable += event
return
bus = event.bus
sensor_data_package = self._handle(parsed_data)
self.log('Sensor data:', sensor_data_package, lvl=verbose)
if sensor_data_package:
self.fireEvent(sensordata(sensor_data_package, nmea_time, bus),
'navdata')
| raw_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n self.log('Received raw data from bus', lvl=events)\n if not parse:\n return\n nmea_time = event.data[0]\n try:\n parsed_data = parse(event.data[1])\n except Exception as e:\n self.log('Unparseable sentence:', event.data[1], e, type(e), exc=\n True, lvl=warn)\n self.unparsable += event\n return\n bus = event.bus\n sensor_data_package = self._handle(parsed_data)\n self.log('Sensor data:', sensor_data_package, lvl=verbose)\n if sensor_data_package:\n self.fireEvent(sensordata(sensor_data_package, nmea_time, bus),\n 'navdata')\n",
"role": "user"
},
{
"content": "raw_data",
"role": "assistant"
}
] |
def x():
sure = input(
'Are you sure to drop the complete database content? (Type in upppercase YES)'
)
if not sure == 'YES':
db_log('Not deleting the database.')
sys.exit(5)
client = pymongo.MongoClient(host=dbhost, port=dbport)
db = client[dbname]
for col in db.collection_names(include_system_collections=False):
db_log('Dropping collection ', col, lvl=warn)
db.drop_collection(col)
| clear_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n sure = input(\n 'Are you sure to drop the complete database content? (Type in upppercase YES)'\n )\n if not sure == 'YES':\n db_log('Not deleting the database.')\n sys.exit(5)\n client = pymongo.MongoClient(host=dbhost, port=dbport)\n db = client[dbname]\n for col in db.collection_names(include_system_collections=False):\n db_log('Dropping collection ', col, lvl=warn)\n db.drop_collection(col)\n",
"role": "user"
},
{
"content": "clear_all",
"role": "assistant"
}
] |
def x(store):
result = {}
for schemaname in store:
schema = None
try:
schema = store[schemaname]['schema']
except KeyError:
schemata_log('No schema found for ', schemaname, lvl=critical,
exc=True)
try:
result[schemaname] = warmongo.model_factory(schema)
except Exception as e:
schemata_log('Could not create factory for schema ', schemaname,
schema, lvl=critical, exc=True)
return result
| build_model_factories | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(store):\n result = {}\n for schemaname in store:\n schema = None\n try:\n schema = store[schemaname]['schema']\n except KeyError:\n schemata_log('No schema found for ', schemaname, lvl=critical,\n exc=True)\n try:\n result[schemaname] = warmongo.model_factory(schema)\n except Exception as e:\n schemata_log('Could not create factory for schema ', schemaname,\n schema, lvl=critical, exc=True)\n return result\n",
"role": "user"
},
{
"content": "build_model_factories",
"role": "assistant"
}
] |
def x(store):
result = {}
client = pymongo.MongoClient(host=dbhost, port=dbport)
db = client[dbname]
for schemaname in store:
schema = None
indices = None
try:
schema = store[schemaname]['schema']
indices = store[schemaname].get('indices', None)
except KeyError:
db_log('No schema found for ', schemaname, lvl=critical)
try:
result[schemaname] = db[schemaname]
except Exception:
db_log('Could not get collection for schema ', schemaname,
schema, lvl=critical, exc=True)
if indices is not None:
col = db[schemaname]
db_log('Adding indices to', schemaname, lvl=debug)
i = 0
keys = list(indices.keys())
while i < len(indices):
index_name = keys[i]
index = indices[index_name]
index_type = index.get('type', None)
index_unique = index.get('unique', False)
index_sparse = index.get('sparse', True)
index_reindex = index.get('reindex', False)
if index_type in (None, 'text'):
index_type = pymongo.TEXT
elif index_type == '2dsphere':
index_type = pymongo.GEOSPHERE
def x():
col.ensure_index([(index_name, index_type)], unique=
index_unique, sparse=index_sparse)
db_log('Enabling index of type', index_type, 'on',
index_name, lvl=debug)
try:
do_index()
i += 1
except pymongo.errors.OperationFailure:
db_log(col.list_indexes().__dict__, pretty=True, lvl=
verbose)
if not index_reindex:
db_log('Index was not created!', lvl=warn)
i += 1
else:
try:
col.drop_index(index_name)
do_index()
i += 1
except pymongo.errors.OperationFailure as e:
db_log('Index recreation problem:', exc=True,
lvl=error)
col.drop_indexes()
i = 0
return result
| build_collections | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(store):\n result = {}\n client = pymongo.MongoClient(host=dbhost, port=dbport)\n db = client[dbname]\n for schemaname in store:\n schema = None\n indices = None\n try:\n schema = store[schemaname]['schema']\n indices = store[schemaname].get('indices', None)\n except KeyError:\n db_log('No schema found for ', schemaname, lvl=critical)\n try:\n result[schemaname] = db[schemaname]\n except Exception:\n db_log('Could not get collection for schema ', schemaname,\n schema, lvl=critical, exc=True)\n if indices is not None:\n col = db[schemaname]\n db_log('Adding indices to', schemaname, lvl=debug)\n i = 0\n keys = list(indices.keys())\n while i < len(indices):\n index_name = keys[i]\n index = indices[index_name]\n index_type = index.get('type', None)\n index_unique = index.get('unique', False)\n index_sparse = index.get('sparse', True)\n index_reindex = index.get('reindex', False)\n if index_type in (None, 'text'):\n index_type = pymongo.TEXT\n elif index_type == '2dsphere':\n index_type = pymongo.GEOSPHERE\n\n def x():\n col.ensure_index([(index_name, index_type)], unique=\n index_unique, sparse=index_sparse)\n db_log('Enabling index of type', index_type, 'on',\n index_name, lvl=debug)\n try:\n do_index()\n i += 1\n except pymongo.errors.OperationFailure:\n db_log(col.list_indexes().__dict__, pretty=True, lvl=\n verbose)\n if not index_reindex:\n db_log('Index was not created!', lvl=warn)\n i += 1\n else:\n try:\n col.drop_index(index_name)\n do_index()\n i += 1\n except pymongo.errors.OperationFailure as e:\n db_log('Index recreation problem:', exc=True,\n lvl=error)\n col.drop_indexes()\n i = 0\n return result\n",
"role": "user"
},
{
"content": "build_collections",
"role": "assistant"
}
] |
def x(address='127.0.0.1:27017', database_name='hfos', instance_name=
'default', reload=False):
global schemastore
global l10n_schemastore
global objectmodels
global collections
global dbhost
global dbport
global dbname
global instance
global initialized
if initialized and not reload:
hfoslog('Already initialized and not reloading.', lvl=warn, emitter
='DB', frame_ref=2)
return
dbhost = address.split(':')[0]
dbport = int(address.split(':')[1]) if ':' in address else 27017
dbname = database_name
db_log('Using database:', dbname, '@', dbhost, ':', dbport)
try:
client = pymongo.MongoClient(host=dbhost, port=dbport)
db = client[dbname]
db_log('Database: ', db.command('buildinfo'), lvl=debug)
except Exception as e:
db_log(
'No database available! Check if you have mongodb > 3.0 installed and running as well as listening on port 27017 of localhost. (Error: %s) -> EXIT'
% e, lvl=critical)
sys.exit(5)
warmongo.connect(database_name)
schemastore = _build_schemastore_new()
l10n_schemastore = _build_l10n_schemastore(schemastore)
objectmodels = _build_model_factories(schemastore)
collections = _build_collections(schemastore)
instance = instance_name
initialized = True
| initialize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(address='127.0.0.1:27017', database_name='hfos', instance_name=\n 'default', reload=False):\n global schemastore\n global l10n_schemastore\n global objectmodels\n global collections\n global dbhost\n global dbport\n global dbname\n global instance\n global initialized\n if initialized and not reload:\n hfoslog('Already initialized and not reloading.', lvl=warn, emitter\n ='DB', frame_ref=2)\n return\n dbhost = address.split(':')[0]\n dbport = int(address.split(':')[1]) if ':' in address else 27017\n dbname = database_name\n db_log('Using database:', dbname, '@', dbhost, ':', dbport)\n try:\n client = pymongo.MongoClient(host=dbhost, port=dbport)\n db = client[dbname]\n db_log('Database: ', db.command('buildinfo'), lvl=debug)\n except Exception as e:\n db_log(\n 'No database available! Check if you have mongodb > 3.0 installed and running as well as listening on port 27017 of localhost. (Error: %s) -> EXIT'\n % e, lvl=critical)\n sys.exit(5)\n warmongo.connect(database_name)\n schemastore = _build_schemastore_new()\n l10n_schemastore = _build_l10n_schemastore(schemastore)\n objectmodels = _build_model_factories(schemastore)\n collections = _build_collections(schemastore)\n instance = instance_name\n initialized = True\n",
"role": "user"
},
{
"content": "initialize",
"role": "assistant"
}
] |
def x(schemaname='sensordata', profiletype='pjs'):
db_log('Profiling ', schemaname)
schema = schemastore[schemaname]['schema']
db_log('Schema: ', schema, lvl=debug)
testclass = None
if profiletype == 'warmongo':
db_log('Running Warmongo benchmark')
testclass = warmongo.model_factory(schema)
elif profiletype == 'pjs':
db_log('Running PJS benchmark')
try:
import python_jsonschema_objects as pjs
except ImportError:
db_log(
'PJS benchmark selected but not available. Install python_jsonschema_objects (PJS)'
)
return
db_log()
builder = pjs.ObjectBuilder(schema)
ns = builder.build_classes()
pprint(ns)
testclass = ns[schemaname]
db_log('ns: ', ns, lvl=warn)
if testclass is not None:
db_log('Instantiating elements...')
for i in range(100):
testclass()
else:
db_log('No Profiletype available!')
db_log('Profiling done')
| profile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(schemaname='sensordata', profiletype='pjs'):\n db_log('Profiling ', schemaname)\n schema = schemastore[schemaname]['schema']\n db_log('Schema: ', schema, lvl=debug)\n testclass = None\n if profiletype == 'warmongo':\n db_log('Running Warmongo benchmark')\n testclass = warmongo.model_factory(schema)\n elif profiletype == 'pjs':\n db_log('Running PJS benchmark')\n try:\n import python_jsonschema_objects as pjs\n except ImportError:\n db_log(\n 'PJS benchmark selected but not available. Install python_jsonschema_objects (PJS)'\n )\n return\n db_log()\n builder = pjs.ObjectBuilder(schema)\n ns = builder.build_classes()\n pprint(ns)\n testclass = ns[schemaname]\n db_log('ns: ', ns, lvl=warn)\n if testclass is not None:\n db_log('Instantiating elements...')\n for i in range(100):\n testclass()\n else:\n db_log('No Profiletype available!')\n db_log('Profiling done')\n",
"role": "user"
},
{
"content": "profile",
"role": "assistant"
}
] |
def x(schema, uuid, export_filter, export_format, filename, pretty,
export_all, omit):
export_format = export_format.upper()
if pretty:
indent = 4
else:
indent = 0
f = None
if filename:
try:
f = open(filename, 'w')
except (IOError, PermissionError) as e:
backup_log('Could not open output file for writing:', exc=True,
lvl=error)
return
def x(what, convert=False):
if convert:
if export_format == 'JSON':
data = json.dumps(what, indent=indent)
else:
data = ''
else:
data = what
if not filename:
print(data)
else:
f.write(data)
if schema is None:
if export_all is False:
backup_log('No schema given.', lvl=warn)
return
else:
schemata = objectmodels.keys()
else:
schemata = [schema]
all_items = {}
for schema_item in schemata:
model = objectmodels[schema_item]
if uuid:
obj = model.find({'uuid': uuid})
elif export_filter:
obj = model.find(literal_eval(export_filter))
else:
obj = model.find()
items = []
for item in obj:
fields = item.serializablefields()
for field in omit:
try:
fields.pop(field)
except KeyError:
pass
items.append(fields)
all_items[schema_item] = items
output(all_items, convert=True)
if f is not None:
f.flush()
f.close()
| backup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(schema, uuid, export_filter, export_format, filename, pretty,\n export_all, omit):\n export_format = export_format.upper()\n if pretty:\n indent = 4\n else:\n indent = 0\n f = None\n if filename:\n try:\n f = open(filename, 'w')\n except (IOError, PermissionError) as e:\n backup_log('Could not open output file for writing:', exc=True,\n lvl=error)\n return\n\n def x(what, convert=False):\n if convert:\n if export_format == 'JSON':\n data = json.dumps(what, indent=indent)\n else:\n data = ''\n else:\n data = what\n if not filename:\n print(data)\n else:\n f.write(data)\n if schema is None:\n if export_all is False:\n backup_log('No schema given.', lvl=warn)\n return\n else:\n schemata = objectmodels.keys()\n else:\n schemata = [schema]\n all_items = {}\n for schema_item in schemata:\n model = objectmodels[schema_item]\n if uuid:\n obj = model.find({'uuid': uuid})\n elif export_filter:\n obj = model.find(literal_eval(export_filter))\n else:\n obj = model.find()\n items = []\n for item in obj:\n fields = item.serializablefields()\n for field in omit:\n try:\n fields.pop(field)\n except KeyError:\n pass\n items.append(fields)\n all_items[schema_item] = items\n output(all_items, convert=True)\n if f is not None:\n f.flush()\n f.close()\n",
"role": "user"
},
{
"content": "backup",
"role": "assistant"
}
] |
def x(self):
self.collection_sizes = {}
self.collection_total = 0
for col in self.db.collection_names(include_system_collections=False):
self.collection_sizes[col] = self.db.command('collstats', col).get(
'storageSize', 0)
self.collection_total += self.collection_sizes[col]
sorted_x = sorted(self.collection_sizes.items(), key=operator.itemgetter(1)
)
for item in sorted_x:
self.log('Collection size (%s): %.2f MB' % (item[0], item[1] /
1024.0 / 1024), lvl=verbose)
self.log('Total collection sizes: %.2f MB' % (self.collection_total /
1024.0 / 1024))
| check_collections | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.collection_sizes = {}\n self.collection_total = 0\n for col in self.db.collection_names(include_system_collections=False):\n self.collection_sizes[col] = self.db.command('collstats', col).get(\n 'storageSize', 0)\n self.collection_total += self.collection_sizes[col]\n sorted_x = sorted(self.collection_sizes.items(), key=operator.itemgetter(1)\n )\n for item in sorted_x:\n self.log('Collection size (%s): %.2f MB' % (item[0], item[1] / \n 1024.0 / 1024), lvl=verbose)\n self.log('Total collection sizes: %.2f MB' % (self.collection_total / \n 1024.0 / 1024))\n",
"role": "user"
},
{
"content": "check_collections",
"role": "assistant"
}
] |
def x(self):
def x(path):
total_size = 0
for item in walk(path):
for file in item[2]:
try:
total_size = total_size + getsize(join(item[0], file))
except (OSError, PermissionError) as e:
self.log('error with file: ' + join(item[0], file), e)
return total_size
for name, checkpoint in self.config.locations.items():
try:
stats = statvfs(checkpoint['location'])
except (OSError, PermissionError) as e:
self.log('Location unavailable:', name, e, type(e), lvl=error,
exc=True)
continue
free_space = stats.f_frsize * stats.f_bavail
used_space = get_folder_size(checkpoint['location']) / 1024.0 / 1024
self.log('Location %s uses %.2f MB' % (name, used_space))
if free_space < checkpoint['minimum']:
self.log('Short of free space on %s: %.2f MB left' % (name,
free_space / 1024.0 / 1024 / 1024), lvl=warn)
| check_free_space | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n def x(path):\n total_size = 0\n for item in walk(path):\n for file in item[2]:\n try:\n total_size = total_size + getsize(join(item[0], file))\n except (OSError, PermissionError) as e:\n self.log('error with file: ' + join(item[0], file), e)\n return total_size\n for name, checkpoint in self.config.locations.items():\n try:\n stats = statvfs(checkpoint['location'])\n except (OSError, PermissionError) as e:\n self.log('Location unavailable:', name, e, type(e), lvl=error,\n exc=True)\n continue\n free_space = stats.f_frsize * stats.f_bavail\n used_space = get_folder_size(checkpoint['location']) / 1024.0 / 1024\n self.log('Location %s uses %.2f MB' % (name, used_space))\n if free_space < checkpoint['minimum']:\n self.log('Short of free space on %s: %.2f MB left' % (name, \n free_space / 1024.0 / 1024 / 1024), lvl=warn)\n",
"role": "user"
},
{
"content": "check_free_space",
"role": "assistant"
}
] |
def x(config, mail, event):
log = ''
try:
if config.mail_ssl:
server = SMTP_SSL(config.mail_server, port=config.
mail_server_port, timeout=30)
else:
server = SMTP(config.mail_server, port=config.mail_server_port,
timeout=30)
if config.mail_tls:
log += 'Starting TLS\n'
server.starttls()
if config.mail_username != '':
log += 'Logging in with ' + str(config.mail_username) + '\n'
server.login(config.mail_username, config.mail_password)
else:
log += 'No username, trying anonymous access\n'
log += 'Sending Mail\n'
response_send = server.send_message(mail)
server.quit()
except timeout as e:
log += 'Could not send email to enrollee, mailserver timeout: ' + str(e
) + '\n'
return False, log, event
log += 'Server response:' + str(response_send)
return True, log, event
| send_mail_worker | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, mail, event):\n log = ''\n try:\n if config.mail_ssl:\n server = SMTP_SSL(config.mail_server, port=config.\n mail_server_port, timeout=30)\n else:\n server = SMTP(config.mail_server, port=config.mail_server_port,\n timeout=30)\n if config.mail_tls:\n log += 'Starting TLS\\n'\n server.starttls()\n if config.mail_username != '':\n log += 'Logging in with ' + str(config.mail_username) + '\\n'\n server.login(config.mail_username, config.mail_password)\n else:\n log += 'No username, trying anonymous access\\n'\n log += 'Sending Mail\\n'\n response_send = server.send_message(mail)\n server.quit()\n except timeout as e:\n log += 'Could not send email to enrollee, mailserver timeout: ' + str(e\n ) + '\\n'\n return False, log, event\n log += 'Server response:' + str(response_send)\n return True, log, event\n",
"role": "user"
},
{
"content": "send_mail_worker",
"role": "assistant"
}
] |
def x(self, event):
super(EnrolManager, self).reload_configuration(event)
self.log('Reloaded configuration.')
self._setup()
| reload_configuration | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n super(EnrolManager, self).reload_configuration(event)\n self.log('Reloaded configuration.')\n self._setup()\n",
"role": "user"
},
{
"content": "reload_configuration",
"role": "assistant"
}
] |
def x(self, event):
uuid = event.data['uuid']
status = event.data['status']
if status not in ['Open', 'Pending', 'Accepted', 'Denied', 'Resend']:
self.log('Erroneous status for enrollment requested!', lvl=warn)
return
self.log('Changing status of an enrollment', uuid, 'to', status)
enrollment = objectmodels['enrollment'].find_one({'uuid': uuid})
if enrollment is not None:
self.log('Enrollment found', lvl=debug)
else:
return
if status == 'Resend':
enrollment.timestamp = std_now()
enrollment.save()
self._send_invitation(enrollment, event)
reply = {(True): 'Resent'}
else:
enrollment.status = status
enrollment.save()
reply = {(True): enrollment.serializablefields()}
if status == 'Accepted' and enrollment.method == 'Enrolled':
self._create_user(enrollment.name, enrollment.password, enrollment.
email, 'Invited', event.client.uuid)
self._send_acceptance(enrollment, None, event)
packet = {'component': 'hfos.enrol.enrolmanager', 'action': 'change',
'data': reply}
self.log('packet:', packet, lvl=verbose)
self.fireEvent(send(event.client.uuid, packet))
self.log('Enrollment changed', lvl=debug)
| change | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n uuid = event.data['uuid']\n status = event.data['status']\n if status not in ['Open', 'Pending', 'Accepted', 'Denied', 'Resend']:\n self.log('Erroneous status for enrollment requested!', lvl=warn)\n return\n self.log('Changing status of an enrollment', uuid, 'to', status)\n enrollment = objectmodels['enrollment'].find_one({'uuid': uuid})\n if enrollment is not None:\n self.log('Enrollment found', lvl=debug)\n else:\n return\n if status == 'Resend':\n enrollment.timestamp = std_now()\n enrollment.save()\n self._send_invitation(enrollment, event)\n reply = {(True): 'Resent'}\n else:\n enrollment.status = status\n enrollment.save()\n reply = {(True): enrollment.serializablefields()}\n if status == 'Accepted' and enrollment.method == 'Enrolled':\n self._create_user(enrollment.name, enrollment.password, enrollment.\n email, 'Invited', event.client.uuid)\n self._send_acceptance(enrollment, None, event)\n packet = {'component': 'hfos.enrol.enrolmanager', 'action': 'change',\n 'data': reply}\n self.log('packet:', packet, lvl=verbose)\n self.fireEvent(send(event.client.uuid, packet))\n self.log('Enrollment changed', lvl=debug)\n",
"role": "user"
},
{
"content": "change",
"role": "assistant"
}
] |
def x(self, event):
old = event.data['old']
new = event.data['new']
uuid = event.user.uuid
user = objectmodels['user'].find_one({'uuid': uuid})
if std_hash(old, self.salt) == user.passhash:
user.passhash = std_hash(new, self.salt)
user.save()
packet = {'component': 'hfos.enrol.enrolmanager', 'action':
'changepassword', 'data': True}
self.fireEvent(send(event.client.uuid, packet))
self.log('Successfully changed password for user', uuid)
else:
packet = {'component': 'hfos.enrol.enrolmanager', 'action':
'changepassword', 'data': False}
self.fireEvent(send(event.client.uuid, packet))
self.log('User tried to change password without supplying old one',
lvl=warn)
| changepassword | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n old = event.data['old']\n new = event.data['new']\n uuid = event.user.uuid\n user = objectmodels['user'].find_one({'uuid': uuid})\n if std_hash(old, self.salt) == user.passhash:\n user.passhash = std_hash(new, self.salt)\n user.save()\n packet = {'component': 'hfos.enrol.enrolmanager', 'action':\n 'changepassword', 'data': True}\n self.fireEvent(send(event.client.uuid, packet))\n self.log('Successfully changed password for user', uuid)\n else:\n packet = {'component': 'hfos.enrol.enrolmanager', 'action':\n 'changepassword', 'data': False}\n self.fireEvent(send(event.client.uuid, packet))\n self.log('User tried to change password without supplying old one',\n lvl=warn)\n",
"role": "user"
},
{
"content": "changepassword",
"role": "assistant"
}
] |
def x(self, event):
self.log('Inviting new user to enrol')
name = event.data['name']
email = event.data['email']
method = event.data['method']
self._invite(name, method, email, event.client.uuid, event)
| invite | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n self.log('Inviting new user to enrol')\n name = event.data['name']\n email = event.data['email']\n method = event.data['method']\n self._invite(name, method, email, event.client.uuid, event)\n",
"role": "user"
},
{
"content": "invite",
"role": "assistant"
}
] |
def x(self, event):
if self.config.allow_registration is False:
self.log('Someone tried to register although enrolment is closed.')
return
self.log('Client trying to register a new account:', event, pretty=True)
uuid = event.client.uuid
if uuid in self.captchas and event.data.get('captcha', None
) == self.captchas[uuid]['text']:
self.log('Captcha solved!')
else:
self.log('Captcha failed!')
self._fail(event, _('You did not solve the captcha correctly.', event))
self._generate_captcha(event)
return
mail = event.data.get('mail', None)
if mail is None:
self._fail(event, _('You have to supply all required fields.', event))
return
elif not validate_email(mail):
self._fail(event, _('The supplied email address seems invalid', event))
return
if objectmodels['user'].count({'mail': mail}) > 0:
self._fail(event, _('Your mail address cannot be used.', event))
return
password = event.data.get('password', None)
if password is None or len(password) < 5:
self._fail(event, _('Your password is not long enough.', event))
return
username = event.data.get('username', None)
if username is None or len(username) < 1:
self._fail(event, _('Your username is not long enough.', event))
return
elif objectmodels['user'].count({'name': username}) > 0 or objectmodels[
'enrollment'].count({'name': username}) > 0:
self._fail(event, _('The username you supplied is not available.',
event))
return
self.log('Provided data is good to enrol.')
if self.config.no_verify:
self._create_user(username, password, mail, 'Enrolled', uuid)
else:
self._invite(username, 'Enrolled', mail, uuid, event, password)
| enrol | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n if self.config.allow_registration is False:\n self.log('Someone tried to register although enrolment is closed.')\n return\n self.log('Client trying to register a new account:', event, pretty=True)\n uuid = event.client.uuid\n if uuid in self.captchas and event.data.get('captcha', None\n ) == self.captchas[uuid]['text']:\n self.log('Captcha solved!')\n else:\n self.log('Captcha failed!')\n self._fail(event, _('You did not solve the captcha correctly.', event))\n self._generate_captcha(event)\n return\n mail = event.data.get('mail', None)\n if mail is None:\n self._fail(event, _('You have to supply all required fields.', event))\n return\n elif not validate_email(mail):\n self._fail(event, _('The supplied email address seems invalid', event))\n return\n if objectmodels['user'].count({'mail': mail}) > 0:\n self._fail(event, _('Your mail address cannot be used.', event))\n return\n password = event.data.get('password', None)\n if password is None or len(password) < 5:\n self._fail(event, _('Your password is not long enough.', event))\n return\n username = event.data.get('username', None)\n if username is None or len(username) < 1:\n self._fail(event, _('Your username is not long enough.', event))\n return\n elif objectmodels['user'].count({'name': username}) > 0 or objectmodels[\n 'enrollment'].count({'name': username}) > 0:\n self._fail(event, _('The username you supplied is not available.',\n event))\n return\n self.log('Provided data is good to enrol.')\n if self.config.no_verify:\n self._create_user(username, password, mail, 'Enrolled', uuid)\n else:\n self._invite(username, 'Enrolled', mail, uuid, event, password)\n",
"role": "user"
},
{
"content": "enrol",
"role": "assistant"
}
] |
def x(self, event):
self.log('Invitation accepted:', event.__dict__, lvl=debug)
try:
uuid = event.data
enrollment = objectmodels['enrollment'].find_one({'uuid': uuid})
if enrollment is not None:
self.log('Enrollment found', lvl=debug)
if enrollment.status == 'Open':
self.log('Enrollment is still open', lvl=debug)
if (enrollment.method == 'Invited' and self.config.
auto_accept_invited):
enrollment.status = 'Accepted'
data = (
'You should have received an email with your new password and can now log in to the system and start to use it. <br/>Please change your password immediately after logging in'
)
password = std_human_uid().replace(' ', '')
self._create_user(enrollment.name, password, enrollment
.email, enrollment.method, uuid)
self._send_acceptance(enrollment, password, event)
elif enrollment.method == 'Enrolled' and self.config.auto_accept_enrolled:
enrollment.status = 'Accepted'
data = 'Your account is now activated.'
self._create_user(enrollment.name, enrollment.password,
enrollment.email, enrollment.method, uuid)
else:
enrollment.status = 'Pending'
data = (
'Someone has to confirm your enrollment first. Thank you, for your patience.'
)
enrollment.save()
elif enrollment.status == 'Accepted':
data = 'You can now log in to the system and start to use it.'
elif enrollment.status == 'Pending':
data = (
'Someone has to confirm your enrollment first. Thank you, for your patience.'
)
else:
self.log('Enrollment has been closed already!', lvl=warn)
self._fail(event)
return
packet = {'component': 'hfos.enrol.enrolmanager', 'action':
'accept', 'data': {(True): data}}
self.fireEvent(send(event.client.uuid, packet))
else:
self.log('No enrollment available.', lvl=warn)
self._fail(event)
except Exception as e:
self.log('Error during invitation accept handling:', e, type(e),
lvl=warn, exc=True)
| accept | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n self.log('Invitation accepted:', event.__dict__, lvl=debug)\n try:\n uuid = event.data\n enrollment = objectmodels['enrollment'].find_one({'uuid': uuid})\n if enrollment is not None:\n self.log('Enrollment found', lvl=debug)\n if enrollment.status == 'Open':\n self.log('Enrollment is still open', lvl=debug)\n if (enrollment.method == 'Invited' and self.config.\n auto_accept_invited):\n enrollment.status = 'Accepted'\n data = (\n 'You should have received an email with your new password and can now log in to the system and start to use it. <br/>Please change your password immediately after logging in'\n )\n password = std_human_uid().replace(' ', '')\n self._create_user(enrollment.name, password, enrollment\n .email, enrollment.method, uuid)\n self._send_acceptance(enrollment, password, event)\n elif enrollment.method == 'Enrolled' and self.config.auto_accept_enrolled:\n enrollment.status = 'Accepted'\n data = 'Your account is now activated.'\n self._create_user(enrollment.name, enrollment.password,\n enrollment.email, enrollment.method, uuid)\n else:\n enrollment.status = 'Pending'\n data = (\n 'Someone has to confirm your enrollment first. Thank you, for your patience.'\n )\n enrollment.save()\n elif enrollment.status == 'Accepted':\n data = 'You can now log in to the system and start to use it.'\n elif enrollment.status == 'Pending':\n data = (\n 'Someone has to confirm your enrollment first. Thank you, for your patience.'\n )\n else:\n self.log('Enrollment has been closed already!', lvl=warn)\n self._fail(event)\n return\n packet = {'component': 'hfos.enrol.enrolmanager', 'action':\n 'accept', 'data': {(True): data}}\n self.fireEvent(send(event.client.uuid, packet))\n else:\n self.log('No enrollment available.', lvl=warn)\n self._fail(event)\n except Exception as e:\n self.log('Error during invitation accept handling:', e, type(e),\n lvl=warn, exc=True)\n",
"role": "user"
},
{
"content": "accept",
"role": "assistant"
}
] |
def x(self, event):
self.log('Registration status requested')
response = {'component': 'hfos.enrol.enrolmanager', 'action': 'status',
'data': self.config.allow_registration}
self.fire(send(event.client.uuid, response))
| status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n self.log('Registration status requested')\n response = {'component': 'hfos.enrol.enrolmanager', 'action': 'status',\n 'data': self.config.allow_registration}\n self.fire(send(event.client.uuid, response))\n",
"role": "user"
},
{
"content": "status",
"role": "assistant"
}
] |
def x(self, event):
self.log('Password reset request received:', event.__dict__, lvl=hilight)
user_object = objectmodels['user']
email = event.data.get('email', None)
email_user = None
if email is not None and user_object.count({'mail': email}) > 0:
email_user = user_object.find_one({'mail': email})
if email_user is None:
self._fail(event, msg='Mail address unknown')
return
| request_reset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n self.log('Password reset request received:', event.__dict__, lvl=hilight)\n user_object = objectmodels['user']\n email = event.data.get('email', None)\n email_user = None\n if email is not None and user_object.count({'mail': email}) > 0:\n email_user = user_object.find_one({'mail': email})\n if email_user is None:\n self._fail(event, msg='Mail address unknown')\n return\n",
"role": "user"
},
{
"content": "request_reset",
"role": "assistant"
}
] |
def x(self, captcha, uuid):
self.log('Transmitting captcha')
response = {'component': 'hfos.enrol.enrolmanager', 'action': 'captcha',
'data': b64encode(captcha['image'].getvalue()).decode('utf-8')}
self.fire(send(uuid, response))
| captcha_transmit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, captcha, uuid):\n self.log('Transmitting captcha')\n response = {'component': 'hfos.enrol.enrolmanager', 'action': 'captcha',\n 'data': b64encode(captcha['image'].getvalue()).decode('utf-8')}\n self.fire(send(uuid, response))\n",
"role": "user"
},
{
"content": "captcha_transmit",
"role": "assistant"
}
] |
def x(self, name, method, email, uuid, event, password=''):
props = {'uuid': std_uuid(), 'status': 'Open', 'name': name, 'method':
method, 'email': email, 'password': password, 'timestamp': std_now()}
enrollment = objectmodels['enrollment'](props)
enrollment.save()
self.log('Enrollment stored', lvl=debug)
self._send_invitation(enrollment, event)
packet = {'component': 'hfos.enrol.enrolmanager', 'action': 'invite',
'data': [True, email]}
self.fireEvent(send(uuid, packet))
| invite | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, method, email, uuid, event, password=''):\n props = {'uuid': std_uuid(), 'status': 'Open', 'name': name, 'method':\n method, 'email': email, 'password': password, 'timestamp': std_now()}\n enrollment = objectmodels['enrollment'](props)\n enrollment.save()\n self.log('Enrollment stored', lvl=debug)\n self._send_invitation(enrollment, event)\n packet = {'component': 'hfos.enrol.enrolmanager', 'action': 'invite',\n 'data': [True, email]}\n self.fireEvent(send(uuid, packet))\n",
"role": "user"
},
{
"content": "invite",
"role": "assistant"
}
] |
def x(self, username, password, mail, method, uuid):
try:
if method == 'Invited':
config_role = self.config.group_accept_invited
else:
config_role = self.config.group_accept_enrolled
roles = []
if ',' in config_role:
for item in config_role.split(','):
roles.append(item.lstrip().rstrip())
else:
roles = [config_role]
newuser = objectmodels['user']({'name': username, 'passhash':
std_hash(password, self.salt), 'mail': mail, 'uuid': std_uuid(),
'roles': roles, 'created': std_now()})
if method == 'Invited':
newuser.needs_password_change = True
newuser.save()
except Exception as e:
self.log('Problem creating new user: ', type(e), e, lvl=error)
return
try:
newprofile = objectmodels['profile']({'uuid': std_uuid(), 'owner':
newuser.uuid})
self.log('New profile uuid: ', newprofile.uuid, lvl=verbose)
newprofile.save()
packet = {'component': 'hfos.enrol.enrolmanager', 'action': 'enrol',
'data': [True, mail]}
self.fireEvent(send(uuid, packet))
except Exception as e:
self.log('Problem creating new profile: ', type(e), e, lvl=error)
| create_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, password, mail, method, uuid):\n try:\n if method == 'Invited':\n config_role = self.config.group_accept_invited\n else:\n config_role = self.config.group_accept_enrolled\n roles = []\n if ',' in config_role:\n for item in config_role.split(','):\n roles.append(item.lstrip().rstrip())\n else:\n roles = [config_role]\n newuser = objectmodels['user']({'name': username, 'passhash':\n std_hash(password, self.salt), 'mail': mail, 'uuid': std_uuid(),\n 'roles': roles, 'created': std_now()})\n if method == 'Invited':\n newuser.needs_password_change = True\n newuser.save()\n except Exception as e:\n self.log('Problem creating new user: ', type(e), e, lvl=error)\n return\n try:\n newprofile = objectmodels['profile']({'uuid': std_uuid(), 'owner':\n newuser.uuid})\n self.log('New profile uuid: ', newprofile.uuid, lvl=verbose)\n newprofile.save()\n packet = {'component': 'hfos.enrol.enrolmanager', 'action': 'enrol',\n 'data': [True, mail]}\n self.fireEvent(send(uuid, packet))\n except Exception as e:\n self.log('Problem creating new profile: ', type(e), e, lvl=error)\n",
"role": "user"
},
{
"content": "create_user",
"role": "assistant"
}
] |
def x(self, enrollment, event):
self.log('Sending enrollment status mail to user')
self._send_mail(self.config.invitation_subject, self.config.
invitation_mail, enrollment, event)
| send_invitation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, enrollment, event):\n self.log('Sending enrollment status mail to user')\n self._send_mail(self.config.invitation_subject, self.config.\n invitation_mail, enrollment, event)\n",
"role": "user"
},
{
"content": "send_invitation",
"role": "assistant"
}
] |
def x(self, enrollment, password, event):
self.log('Sending acceptance status mail to user')
if password is not '':
password_hint = ('\n\nPS: Your new password is ' + password +
' - please change it after your first login!')
acceptance_text = self.config.acceptance_mail + password_hint
else:
acceptance_text = self.config.acceptance_mail
self._send_mail(self.config.acceptance_subject, acceptance_text,
enrollment, event)
| send_acceptance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, enrollment, password, event):\n self.log('Sending acceptance status mail to user')\n if password is not '':\n password_hint = ('\\n\\nPS: Your new password is ' + password +\n ' - please change it after your first login!')\n acceptance_text = self.config.acceptance_mail + password_hint\n else:\n acceptance_text = self.config.acceptance_mail\n self._send_mail(self.config.acceptance_subject, acceptance_text,\n enrollment, event)\n",
"role": "user"
},
{
"content": "send_acceptance",
"role": "assistant"
}
] |
def x(self, subject, template, enrollment, event):
context = {'name': enrollment.name, 'invitation_url': self.
invitation_url, 'node_name': self.node_name, 'node_url': self.
node_url, 'uuid': enrollment.uuid}
mail = render(template, context)
self.log('Mail:', mail, lvl=verbose)
mime_mail = MIMEText(mail)
mime_mail['Subject'] = render(subject, context)
mime_mail['From'] = render(self.config.mail_from, {'hostname': self.
hostname})
mime_mail['To'] = enrollment.email
self.log('MimeMail:', mime_mail, lvl=verbose)
if self.config.mail_send is True:
self.log('Sending mail to', enrollment.email)
self.fireEvent(task(send_mail_worker, self.config, mime_mail, event
), 'enrolworkers')
else:
self.log('Not sending mail, here it is for debugging info:', mail,
pretty=True)
| send_mail | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subject, template, enrollment, event):\n context = {'name': enrollment.name, 'invitation_url': self.\n invitation_url, 'node_name': self.node_name, 'node_url': self.\n node_url, 'uuid': enrollment.uuid}\n mail = render(template, context)\n self.log('Mail:', mail, lvl=verbose)\n mime_mail = MIMEText(mail)\n mime_mail['Subject'] = render(subject, context)\n mime_mail['From'] = render(self.config.mail_from, {'hostname': self.\n hostname})\n mime_mail['To'] = enrollment.email\n self.log('MimeMail:', mime_mail, lvl=verbose)\n if self.config.mail_send is True:\n self.log('Sending mail to', enrollment.email)\n self.fireEvent(task(send_mail_worker, self.config, mime_mail, event\n ), 'enrolworkers')\n else:\n self.log('Not sending mail, here it is for debugging info:', mail,\n pretty=True)\n",
"role": "user"
},
{
"content": "send_mail",
"role": "assistant"
}
] |
def x(self, event):
try:
userid = event.user.uuid
recipient = self._get_recipient(event)
content = self._get_content(event)
if self.config.name in content:
self.log('I think, someone mentioned me:', content)
except Exception as e:
self.log("Error: '%s' %s" % (e, type(e)), exc=True, lvl=error)
| say | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n try:\n userid = event.user.uuid\n recipient = self._get_recipient(event)\n content = self._get_content(event)\n if self.config.name in content:\n self.log('I think, someone mentioned me:', content)\n except Exception as e:\n self.log(\"Error: '%s' %s\" % (e, type(e)), exc=True, lvl=error)\n",
"role": "user"
},
{
"content": "say",
"role": "assistant"
}
] |
def x(self, event):
self.log('Adding authentication hook for', event.authenticator_name)
self.auth_hooks[event.authenticator_name] = event.event
| add_auth_hook | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n self.log('Adding authentication hook for', event.authenticator_name)\n self.auth_hooks[event.authenticator_name] = event.event\n",
"role": "user"
},
{
"content": "add_auth_hook",
"role": "assistant"
}
] |
def x(self, event, message='Invalid credentials'):
notification = {'component': 'auth', 'action': 'fail', 'data': message}
ip = event.sock.getpeername()[0]
self.failing_clients[ip] = event
Timer(3, Event.create('notify_fail', event.clientuuid, notification, ip)
).register(self)
| fail | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event, message='Invalid credentials'):\n notification = {'component': 'auth', 'action': 'fail', 'data': message}\n ip = event.sock.getpeername()[0]\n self.failing_clients[ip] = event\n Timer(3, Event.create('notify_fail', event.clientuuid, notification, ip)\n ).register(self)\n",
"role": "user"
},
{
"content": "fail",
"role": "assistant"
}
] |
def x(self, event, user_account, user_profile, client_config):
user_account.lastlogin = std_now()
user_account.save()
user_account.passhash = ''
self.fireEvent(authentication(user_account.name, (user_account,
user_profile, client_config), event.clientuuid, user_account.uuid,
event.sock), 'auth')
| login | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event, user_account, user_profile, client_config):\n user_account.lastlogin = std_now()\n user_account.save()\n user_account.passhash = ''\n self.fireEvent(authentication(user_account.name, (user_account,\n user_profile, client_config), event.clientuuid, user_account.uuid,\n event.sock), 'auth')\n",
"role": "user"
},
{
"content": "login",
"role": "assistant"
}
] |
def x(self, event):
if event.sock.getpeername()[0] in self.failing_clients:
self.log('Client failed a login and has to wait', lvl=debug)
return
if event.auto:
self._handle_autologin(event)
else:
self._handle_login(event)
| authenticationrequest | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n if event.sock.getpeername()[0] in self.failing_clients:\n self.log('Client failed a login and has to wait', lvl=debug)\n return\n if event.auto:\n self._handle_autologin(event)\n else:\n self._handle_login(event)\n",
"role": "user"
},
{
"content": "authenticationrequest",
"role": "assistant"
}
] |
def x(self, event):
self.log('Verifying automatic login request')
try:
client_config = objectmodels['client'].find_one({'uuid': event.
requestedclientuuid})
except Exception:
client_config = None
if client_config is None or client_config.autologin is False:
self.log('Autologin failed:', event.requestedclientuuid, lvl=error)
self._fail(event)
return
try:
user_account = objectmodels['user'].find_one({'uuid': client_config
.owner})
if user_account is None:
raise AuthenticationError
self.log('Autologin for', user_account.name, lvl=debug)
except Exception as e:
self.log('No user object due to error: ', e, type(e), lvl=error)
self._fail(event)
return
if user_account.active is False:
self.log('Account deactivated.')
self._fail(event, 'Account deactivated.')
return
user_profile = self._get_profile(user_account)
self._login(event, user_account, user_profile, client_config)
self.log('Autologin successful!', lvl=warn)
| handle_autologin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n self.log('Verifying automatic login request')\n try:\n client_config = objectmodels['client'].find_one({'uuid': event.\n requestedclientuuid})\n except Exception:\n client_config = None\n if client_config is None or client_config.autologin is False:\n self.log('Autologin failed:', event.requestedclientuuid, lvl=error)\n self._fail(event)\n return\n try:\n user_account = objectmodels['user'].find_one({'uuid': client_config\n .owner})\n if user_account is None:\n raise AuthenticationError\n self.log('Autologin for', user_account.name, lvl=debug)\n except Exception as e:\n self.log('No user object due to error: ', e, type(e), lvl=error)\n self._fail(event)\n return\n if user_account.active is False:\n self.log('Account deactivated.')\n self._fail(event, 'Account deactivated.')\n return\n user_profile = self._get_profile(user_account)\n self._login(event, user_account, user_profile, client_config)\n self.log('Autologin successful!', lvl=warn)\n",
"role": "user"
},
{
"content": "handle_autologin",
"role": "assistant"
}
] |
def x(self, event):
self.log('Auth request for ', event.username, 'client:', event.clientuuid)
if len(event.username) < 1 or len(event.password) < 5:
self.log('Illegal username or password received, login cancelled',
lvl=warn)
self._fail(event, 'Password or username too short')
return
client_config = None
try:
user_account = objectmodels['user'].find_one({'name': event.username})
if user_account is None:
raise AuthenticationError
except Exception as e:
self.log('No userobject due to error: ', e, type(e), lvl=error)
self._fail(event)
return
self.log('User found.', lvl=debug)
if user_account.active is False:
self.log('Account deactivated.')
self._fail(event, 'Account deactivated.')
return
if not std_hash(event.password, self.salt) == user_account.passhash:
self.log('Password was wrong!', lvl=warn)
self._fail(event)
return
self.log('Passhash matches, checking client and profile.', lvl=debug)
requested_client_uuid = event.requestedclientuuid
if requested_client_uuid is not None:
client_config = objectmodels['client'].find_one({'uuid':
requested_client_uuid})
if client_config:
self.log('Checking client configuration permissions', lvl=debug)
if client_config.owner != user_account.uuid:
client_config = None
self.log('Unauthorized client configuration requested', lvl=warn)
else:
self.log('Unknown client configuration requested: ',
requested_client_uuid, event.__dict__, lvl=warn)
if not client_config:
self.log('Creating new default client configuration')
uuid = event.clientuuid if event.clientuuid is not None else str(uuid4
())
client_config = objectmodels['client']({'uuid': uuid})
client_config.name = std_human_uid(kind='place')
client_config.description = ('New client configuration from ' +
user_account.name)
client_config.owner = user_account.uuid
client_config.save()
user_profile = self._get_profile(user_account)
self._login(event, user_account, user_profile, client_config)
self.log('Done with Login request', lvl=debug)
| handle_login | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n self.log('Auth request for ', event.username, 'client:', event.clientuuid)\n if len(event.username) < 1 or len(event.password) < 5:\n self.log('Illegal username or password received, login cancelled',\n lvl=warn)\n self._fail(event, 'Password or username too short')\n return\n client_config = None\n try:\n user_account = objectmodels['user'].find_one({'name': event.username})\n if user_account is None:\n raise AuthenticationError\n except Exception as e:\n self.log('No userobject due to error: ', e, type(e), lvl=error)\n self._fail(event)\n return\n self.log('User found.', lvl=debug)\n if user_account.active is False:\n self.log('Account deactivated.')\n self._fail(event, 'Account deactivated.')\n return\n if not std_hash(event.password, self.salt) == user_account.passhash:\n self.log('Password was wrong!', lvl=warn)\n self._fail(event)\n return\n self.log('Passhash matches, checking client and profile.', lvl=debug)\n requested_client_uuid = event.requestedclientuuid\n if requested_client_uuid is not None:\n client_config = objectmodels['client'].find_one({'uuid':\n requested_client_uuid})\n if client_config:\n self.log('Checking client configuration permissions', lvl=debug)\n if client_config.owner != user_account.uuid:\n client_config = None\n self.log('Unauthorized client configuration requested', lvl=warn)\n else:\n self.log('Unknown client configuration requested: ',\n requested_client_uuid, event.__dict__, lvl=warn)\n if not client_config:\n self.log('Creating new default client configuration')\n uuid = event.clientuuid if event.clientuuid is not None else str(uuid4\n ())\n client_config = objectmodels['client']({'uuid': uuid})\n client_config.name = std_human_uid(kind='place')\n client_config.description = ('New client configuration from ' +\n user_account.name)\n client_config.owner = user_account.uuid\n client_config.save()\n user_profile = self._get_profile(user_account)\n self._login(event, user_account, user_profile, client_config)\n self.log('Done with Login request', lvl=debug)\n",
"role": "user"
},
{
"content": "handle_login",
"role": "assistant"
}
] |
def x(self, user_account):
try:
user_profile = objectmodels['profile'].find_one({'owner': str(
user_account.uuid)})
self.log('Profile: ', user_profile, user_account.uuid, lvl=debug)
except Exception as e:
self.log('No profile due to error: ', e, type(e), lvl=error)
user_profile = None
if not user_profile:
default = {'uuid': std_uuid(), 'owner': user_account.uuid,
'userdata': {'notes': 'Default profile of ' + user_account.name}}
user_profile = objectmodels['profile'](default)
user_profile.save()
return user_profile
| get_profile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_account):\n try:\n user_profile = objectmodels['profile'].find_one({'owner': str(\n user_account.uuid)})\n self.log('Profile: ', user_profile, user_account.uuid, lvl=debug)\n except Exception as e:\n self.log('No profile due to error: ', e, type(e), lvl=error)\n user_profile = None\n if not user_profile:\n default = {'uuid': std_uuid(), 'owner': user_account.uuid,\n 'userdata': {'notes': 'Default profile of ' + user_account.name}}\n user_profile = objectmodels['profile'](default)\n user_profile.save()\n return user_profile\n",
"role": "user"
},
{
"content": "get_profile",
"role": "assistant"
}
] |
def x(self, bus, data):
sen_time = time.time()
try:
if isinstance(data, bytes):
data = data.decode('ascii')
dirtysentences = data.split('\n')
sentences = [(sen_time, x) for x in dirtysentences if x]
def x(it):
s = set()
for el in it:
if el not in s:
s.add(el)
yield el
else:
self.log('Duplicate sentence received: ', el, lvl=debug)
sentences = list(unique(sentences))
return sentences
except Exception as e:
self.log('Error during data unpacking: ', e, type(e), lvl=error,
exc=True)
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bus, data):\n sen_time = time.time()\n try:\n if isinstance(data, bytes):\n data = data.decode('ascii')\n dirtysentences = data.split('\\n')\n sentences = [(sen_time, x) for x in dirtysentences if x]\n\n def x(it):\n s = set()\n for el in it:\n if el not in s:\n s.add(el)\n yield el\n else:\n self.log('Duplicate sentence received: ', el, lvl=debug)\n sentences = list(unique(sentences))\n return sentences\n except Exception as e:\n self.log('Error during data unpacking: ', e, type(e), lvl=error,\n exc=True)\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self, event):
self.log('Incoming serial packet:', event.__dict__, lvl=verbose)
if self.scanning:
pass
else:
sanitized_data = self._parse(event.bus, event.data)
self.log('Sanitized data:', sanitized_data, lvl=verbose)
if sanitized_data is not None:
self._broadcast(event.bus, sanitized_data)
| serial_packet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n self.log('Incoming serial packet:', event.__dict__, lvl=verbose)\n if self.scanning:\n pass\n else:\n sanitized_data = self._parse(event.bus, event.data)\n self.log('Sanitized data:', sanitized_data, lvl=verbose)\n if sanitized_data is not None:\n self._broadcast(event.bus, sanitized_data)\n",
"role": "user"
},
{
"content": "serial_packet",
"role": "assistant"
}
] |
def x():
desc = 'Converts between geodetic, modified apex, quasi-dipole and MLT'
parser = argparse.ArgumentParser(description=desc, prog='apexpy')
parser.add_argument('source', metavar='SOURCE', choices=['geo', 'apex',
'qd', 'mlt'], help='Convert from {geo, apex, qd, mlt}')
parser.add_argument('dest', metavar='DEST', choices=['geo', 'apex',
'qd', 'mlt'], help='Convert to {geo, apex, qd, mlt}')
desc = 'YYYY[MM[DD[HHMMSS]]] date/time for IGRF coefficients, time part '
desc += 'required for MLT calculations'
parser.add_argument('date', metavar='DATE', help=desc)
parser.add_argument('--height', dest='height', default=0, metavar=
'HEIGHT', type=float, help='height for conversion')
parser.add_argument('--refh', dest='refh', metavar='REFH', type=float,
default=0, help='reference height for modified apex coordinates')
parser.add_argument('-i', '--input', dest='file_in', metavar='FILE_IN',
type=argparse.FileType('r'), default=STDIN, help=
'input file (stdin if none specified)')
parser.add_argument('-o', '--output', dest='file_out', metavar=
'FILE_OUT', type=argparse.FileType('wb'), default=STDOUT, help=
'output file (stdout if none specified)')
args = parser.parse_args()
array = np.loadtxt(args.file_in, ndmin=2)
if 'mlt' in [args.source, args.dest] and len(args.date) < 14:
desc = 'full date/time YYYYMMDDHHMMSS required for MLT calculations'
raise ValueError(desc)
if 9 <= len(args.date) <= 13:
desc = ('full date/time must be given as YYYYMMDDHHMMSS, not ' +
'YYYYMMDDHHMMSS'[:len(args.date)])
raise ValueError(desc)
datetime = dt.datetime.strptime(args.date, '%Y%m%d%H%M%S'[:len(args.
date) - 2])
A = apexpy.Apex(date=datetime, refh=args.refh)
lats, lons = A.convert(array[:, 0], array[:, 1], args.source, args.dest,
args.height, datetime=datetime)
np.savetxt(args.file_out, np.column_stack((lats, lons)), fmt='%.8f')
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n desc = 'Converts between geodetic, modified apex, quasi-dipole and MLT'\n parser = argparse.ArgumentParser(description=desc, prog='apexpy')\n parser.add_argument('source', metavar='SOURCE', choices=['geo', 'apex',\n 'qd', 'mlt'], help='Convert from {geo, apex, qd, mlt}')\n parser.add_argument('dest', metavar='DEST', choices=['geo', 'apex',\n 'qd', 'mlt'], help='Convert to {geo, apex, qd, mlt}')\n desc = 'YYYY[MM[DD[HHMMSS]]] date/time for IGRF coefficients, time part '\n desc += 'required for MLT calculations'\n parser.add_argument('date', metavar='DATE', help=desc)\n parser.add_argument('--height', dest='height', default=0, metavar=\n 'HEIGHT', type=float, help='height for conversion')\n parser.add_argument('--refh', dest='refh', metavar='REFH', type=float,\n default=0, help='reference height for modified apex coordinates')\n parser.add_argument('-i', '--input', dest='file_in', metavar='FILE_IN',\n type=argparse.FileType('r'), default=STDIN, help=\n 'input file (stdin if none specified)')\n parser.add_argument('-o', '--output', dest='file_out', metavar=\n 'FILE_OUT', type=argparse.FileType('wb'), default=STDOUT, help=\n 'output file (stdout if none specified)')\n args = parser.parse_args()\n array = np.loadtxt(args.file_in, ndmin=2)\n if 'mlt' in [args.source, args.dest] and len(args.date) < 14:\n desc = 'full date/time YYYYMMDDHHMMSS required for MLT calculations'\n raise ValueError(desc)\n if 9 <= len(args.date) <= 13:\n desc = ('full date/time must be given as YYYYMMDDHHMMSS, not ' +\n 'YYYYMMDDHHMMSS'[:len(args.date)])\n raise ValueError(desc)\n datetime = dt.datetime.strptime(args.date, '%Y%m%d%H%M%S'[:len(args.\n date) - 2])\n A = apexpy.Apex(date=datetime, refh=args.refh)\n lats, lons = A.convert(array[:, 0], array[:, 1], args.source, args.dest,\n args.height, datetime=datetime)\n np.savetxt(args.file_out, np.column_stack((lats, lons)), fmt='%.8f')\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(cwd, args):
try:
process = check_output(args, cwd=cwd, stderr=STDOUT)
return process
except CalledProcessError as e:
log('Uh oh, the teapot broke again! Error:', e, type(e), lvl=
verbose, pretty=True)
log(e.cmd, e.returncode, e.output, lvl=verbose)
return e.output
| run_process | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cwd, args):\n try:\n process = check_output(args, cwd=cwd, stderr=STDOUT)\n return process\n except CalledProcessError as e:\n log('Uh oh, the teapot broke again! Error:', e, type(e), lvl=\n verbose, pretty=True)\n log(e.cmd, e.returncode, e.output, lvl=verbose)\n return e.output\n",
"role": "user"
},
{
"content": "run_process",
"role": "assistant"
}
] |
def x():
password = 'Foo'
password_trial = ''
while password != password_trial:
password = getpass.getpass()
password_trial = getpass.getpass(prompt='Repeat:')
if password != password_trial:
print('\nPasswords do not match!')
return password
| ask_password | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n password = 'Foo'\n password_trial = ''\n while password != password_trial:\n password = getpass.getpass()\n password_trial = getpass.getpass(prompt='Repeat:')\n if password != password_trial:\n print('\\nPasswords do not match!')\n return password\n",
"role": "user"
},
{
"content": "ask_password",
"role": "assistant"
}
] |
def x(username=None, password=None, dbhost=None):
system_config = dbhost.objectmodels['systemconfig'].find_one({'active':
True})
try:
salt = system_config.salt.encode('ascii')
except (KeyError, AttributeError):
log('No systemconfig or it is without a salt! Reinstall the system provisioning withhfos_manage.py install provisions -p system'
)
sys.exit(3)
if username is None:
username = _ask('Please enter username: ')
else:
username = username
if password is None:
password = _ask_password()
else:
password = password
try:
password = password.encode('utf-8')
except UnicodeDecodeError:
password = password
passhash = hashlib.sha512(password)
passhash.update(salt)
return username, passhash.hexdigest()
| get_credentials | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(username=None, password=None, dbhost=None):\n system_config = dbhost.objectmodels['systemconfig'].find_one({'active':\n True})\n try:\n salt = system_config.salt.encode('ascii')\n except (KeyError, AttributeError):\n log('No systemconfig or it is without a salt! Reinstall the system provisioning withhfos_manage.py install provisions -p system'\n )\n sys.exit(3)\n if username is None:\n username = _ask('Please enter username: ')\n else:\n username = username\n if password is None:\n password = _ask_password()\n else:\n password = password\n try:\n password = password.encode('utf-8')\n except UnicodeDecodeError:\n password = password\n passhash = hashlib.sha512(password)\n passhash.update(salt)\n return username, passhash.hexdigest()\n",
"role": "user"
},
{
"content": "get_credentials",
"role": "assistant"
}
] |
def x(question, default=None, data_type='str', show_hint=False):
data = default
if data_type == 'bool':
data = None
default_string = 'Y' if default else 'N'
while data not in ('Y', 'J', 'N', '1', '0'):
data = input('%s? [%s]: ' % (question, default_string)).upper()
if data == '':
return default
return data in ('Y', 'J', '1')
elif data_type in ('str', 'unicode'):
if show_hint:
msg = '%s? [%s] (%s): ' % (question, default, data_type)
else:
msg = question
data = input(msg)
if len(data) == 0:
data = default
elif data_type == 'int':
if show_hint:
msg = '%s? [%s] (%s): ' % (question, default, data_type)
else:
msg = question
data = input(msg)
if len(data) == 0:
data = int(default)
else:
data = int(data)
return data
| ask | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(question, default=None, data_type='str', show_hint=False):\n data = default\n if data_type == 'bool':\n data = None\n default_string = 'Y' if default else 'N'\n while data not in ('Y', 'J', 'N', '1', '0'):\n data = input('%s? [%s]: ' % (question, default_string)).upper()\n if data == '':\n return default\n return data in ('Y', 'J', '1')\n elif data_type in ('str', 'unicode'):\n if show_hint:\n msg = '%s? [%s] (%s): ' % (question, default, data_type)\n else:\n msg = question\n data = input(msg)\n if len(data) == 0:\n data = default\n elif data_type == 'int':\n if show_hint:\n msg = '%s? [%s] (%s): ' % (question, default, data_type)\n else:\n msg = question\n data = input(msg)\n if len(data) == 0:\n data = int(default)\n else:\n data = int(data)\n return data\n",
"role": "user"
},
{
"content": "ask",
"role": "assistant"
}
] |
def x(lat, name='lat'):
if np.all(np.float64(lat) >= -90) and np.all(np.float64(lat) <= 90):
return lat
if np.isscalar(lat):
if lat > 90 and np.isclose(lat, 90, rtol=0, atol=0.0001):
lat = 90
return lat
elif lat < -90 and np.isclose(lat, -90, rtol=0, atol=0.0001):
lat = -90
return lat
else:
lat = np.float64(lat)
lat[(lat > 90) & np.isclose(lat, 90, rtol=0, atol=0.0001)] = 90
lat[(lat < -90) & np.isclose(lat, -90, rtol=0, atol=0.0001)] = -90
if np.all(lat >= -90) and np.all(lat <= 90):
return lat
raise ValueError(name + ' must be in [-90, 90]')
| checklat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lat, name='lat'):\n if np.all(np.float64(lat) >= -90) and np.all(np.float64(lat) <= 90):\n return lat\n if np.isscalar(lat):\n if lat > 90 and np.isclose(lat, 90, rtol=0, atol=0.0001):\n lat = 90\n return lat\n elif lat < -90 and np.isclose(lat, -90, rtol=0, atol=0.0001):\n lat = -90\n return lat\n else:\n lat = np.float64(lat)\n lat[(lat > 90) & np.isclose(lat, 90, rtol=0, atol=0.0001)] = 90\n lat[(lat < -90) & np.isclose(lat, -90, rtol=0, atol=0.0001)] = -90\n if np.all(lat >= -90) and np.all(lat <= 90):\n return lat\n raise ValueError(name + ' must be in [-90, 90]')\n",
"role": "user"
},
{
"content": "checklat",
"role": "assistant"
}
] |
def x(alat):
alat = np.float64(alat)
return 2 * np.sin(np.radians(alat)) / np.sqrt(4 - 3 * np.cos(np.radians
(alat)) ** 2)
| getsinIm | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(alat):\n alat = np.float64(alat)\n return 2 * np.sin(np.radians(alat)) / np.sqrt(4 - 3 * np.cos(np.radians\n (alat)) ** 2)\n",
"role": "user"
},
{
"content": "getsinIm",
"role": "assistant"
}
] |
def x(alat):
alat = np.float64(alat)
return np.cos(np.radians(alat)) / np.sqrt(4 - 3 * np.cos(np.radians(
alat)) ** 2)
| getcosIm | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(alat):\n alat = np.float64(alat)\n return np.cos(np.radians(alat)) / np.sqrt(4 - 3 * np.cos(np.radians(\n alat)) ** 2)\n",
"role": "user"
},
{
"content": "getcosIm",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.