source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(key, add_label=None):
result = {'key': key, 'startEmpty': True}
if add_label is not None:
result['add'] = add_label
result['style'] = {'add': 'btn-success'}
return result
| emptyArray | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key, add_label=None):\n result = {'key': key, 'startEmpty': True}\n if add_label is not None:\n result['add'] = add_label\n result['style'] = {'add': 'btn-success'}\n return result\n",
"role": "user"
},
{
"content": "emptyArray",
"role": "assistant"
}
] |
def x(titles, contents):
tabs = []
for no, title in enumerate(titles):
tab = {'title': title}
content = contents[no]
if isinstance(content, list):
tab['items'] = content
else:
tab['items'] = [content]
tabs.append(tab)
result = {'type': 'tabs', 'tabs': tabs}
return result
| tabset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(titles, contents):\n tabs = []\n for no, title in enumerate(titles):\n tab = {'title': title}\n content = contents[no]\n if isinstance(content, list):\n tab['items'] = content\n else:\n tab['items'] = [content]\n tabs.append(tab)\n result = {'type': 'tabs', 'tabs': tabs}\n return result\n",
"role": "user"
},
{
"content": "tabset",
"role": "assistant"
}
] |
def x(key='country'):
country_list = list(countries)
title_map = []
for item in country_list:
title_map.append({'value': item.alpha_3, 'name': item.name})
widget = {'key': key, 'type': 'uiselect', 'titleMap': title_map}
return widget
| country_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key='country'):\n country_list = list(countries)\n title_map = []\n for item in country_list:\n title_map.append({'value': item.alpha_3, 'name': item.name})\n widget = {'key': key, 'type': 'uiselect', 'titleMap': title_map}\n return widget\n",
"role": "user"
},
{
"content": "country_field",
"role": "assistant"
}
] |
def x(key='area'):
area_list = list(subdivisions)
title_map = []
for item in area_list:
title_map.append({'value': item.code, 'name': item.name})
widget = {'key': key, 'type': 'uiselect', 'titleMap': title_map}
return widget
| area_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key='area'):\n area_list = list(subdivisions)\n title_map = []\n for item in area_list:\n title_map.append({'value': item.code, 'name': item.name})\n widget = {'key': key, 'type': 'uiselect', 'titleMap': title_map}\n return widget\n",
"role": "user"
},
{
"content": "area_field",
"role": "assistant"
}
] |
def x(self, event):
self.status = self._can_connect()
self.log('Timed connectivity check:', self.status, lvl=verbose)
if self.status:
if not self.old_status:
self.log('Connectivity gained')
self.fireEvent(backend_nodestate_toggle(STATE_UUID_CONNECTIVITY,
on=True, force=True))
elif self.old_status:
self.log('Connectivity lost', lvl=warn)
self.old_status = False
self.fireEvent(backend_nodestate_toggle(STATE_UUID_CONNECTIVITY,
off=True, force=True))
self.old_status = self.status
| timed_connectivity_check | [
{
"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.status = self._can_connect()\n self.log('Timed connectivity check:', self.status, lvl=verbose)\n if self.status:\n if not self.old_status:\n self.log('Connectivity gained')\n self.fireEvent(backend_nodestate_toggle(STATE_UUID_CONNECTIVITY,\n on=True, force=True))\n elif self.old_status:\n self.log('Connectivity lost', lvl=warn)\n self.old_status = False\n self.fireEvent(backend_nodestate_toggle(STATE_UUID_CONNECTIVITY,\n off=True, force=True))\n self.old_status = self.status\n",
"role": "user"
},
{
"content": "timed_connectivity_check",
"role": "assistant"
}
] |
def x(self):
self.log('Trying to reach configured connectivity check endpoint', lvl=
verbose)
try:
socket.setdefaulttimeout(self.config.timeout)
socket.socket(socket.AF_INET, socket.SOCK_STREAM).connect((self.
config.host, self.config.port))
return True
except Exception as ex:
self.log(ex, pretty=True, lvl=debug)
return False
| can_connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.log('Trying to reach configured connectivity check endpoint', lvl=\n verbose)\n try:\n socket.setdefaulttimeout(self.config.timeout)\n socket.socket(socket.AF_INET, socket.SOCK_STREAM).connect((self.\n config.host, self.config.port))\n return True\n except Exception as ex:\n self.log(ex, pretty=True, lvl=debug)\n return False\n",
"role": "user"
},
{
"content": "can_connect",
"role": "assistant"
}
] |
def x(self, event):
self.log('Got a reference frame update! ', event, lvl=verbose)
self.referenceframe = event.data
| referenceframe | [
{
"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('Got a reference frame update! ', event, lvl=verbose)\n self.referenceframe = event.data\n",
"role": "user"
},
{
"content": "referenceframe",
"role": "assistant"
}
] |
def x(self, event):
try:
action = event.action
data = event.data
self.log('Activityrequest: ', action, data)
except Exception as e:
self.log("Error: '%s' %s" % (e, type(e)), lvl=error)
| activityrequest | [
{
"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 action = event.action\n data = event.data\n self.log('Activityrequest: ', action, data)\n except Exception as e:\n self.log(\"Error: '%s' %s\" % (e, type(e)), lvl=error)\n",
"role": "user"
},
{
"content": "activityrequest",
"role": "assistant"
}
] |
def x(ctx, schema, uuid, object_filter, field, value):
database = ctx.obj['db']
model = database.objectmodels[schema]
obj = None
if uuid:
obj = model.find_one({'uuid': uuid})
elif object_filter:
obj = model.find_one(literal_eval(object_filter))
else:
log('No object uuid or filter specified.', lvl=error)
if obj is None:
log('No object found', lvl=error)
return
log('Object found, modifying', lvl=debug)
try:
new_value = literal_eval(value)
except ValueError:
log('Interpreting value as string')
new_value = str(value)
obj._fields[field] = new_value
obj.validate()
log('Changed object validated', lvl=debug)
obj.save()
log('Done')
| modify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, schema, uuid, object_filter, field, value):\n database = ctx.obj['db']\n model = database.objectmodels[schema]\n obj = None\n if uuid:\n obj = model.find_one({'uuid': uuid})\n elif object_filter:\n obj = model.find_one(literal_eval(object_filter))\n else:\n log('No object uuid or filter specified.', lvl=error)\n if obj is None:\n log('No object found', lvl=error)\n return\n log('Object found, modifying', lvl=debug)\n try:\n new_value = literal_eval(value)\n except ValueError:\n log('Interpreting value as string')\n new_value = str(value)\n obj._fields[field] = new_value\n obj.validate()\n log('Changed object validated', lvl=debug)\n obj.save()\n log('Done')\n",
"role": "user"
},
{
"content": "modify",
"role": "assistant"
}
] |
def x(ctx, schema, uuid, object_filter):
database = ctx.obj['db']
if schema is None:
log('No schema given. Read the help', lvl=warn)
return
model = database.objectmodels[schema]
if uuid:
obj = model.find({'uuid': uuid})
elif object_filter:
obj = model.find(literal_eval(object_filter))
else:
obj = model.find()
for item in obj:
pprint(item._fields)
| view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, schema, uuid, object_filter):\n database = ctx.obj['db']\n if schema is None:\n log('No schema given. Read the help', lvl=warn)\n return\n model = database.objectmodels[schema]\n if uuid:\n obj = model.find({'uuid': uuid})\n elif object_filter:\n obj = model.find(literal_eval(object_filter))\n else:\n obj = model.find()\n for item in obj:\n pprint(item._fields)\n",
"role": "user"
},
{
"content": "view",
"role": "assistant"
}
] |
def x(ctx, schema, uuid, object_filter, yes):
database = ctx.obj['db']
if schema is None:
log('No schema given. Read the help', lvl=warn)
return
model = database.objectmodels[schema]
if uuid:
count = model.count({'uuid': uuid})
obj = model.find({'uuid': uuid})
elif object_filter:
count = model.count(literal_eval(object_filter))
obj = model.find(literal_eval(object_filter))
else:
count = model.count()
obj = model.find()
if count == 0:
log('No objects to delete found')
return
if not yes and not _ask('Are you sure you want to delete %i objects' %
count, default=False, data_type='bool', show_hint=True):
return
for item in obj:
item.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, schema, uuid, object_filter, yes):\n database = ctx.obj['db']\n if schema is None:\n log('No schema given. Read the help', lvl=warn)\n return\n model = database.objectmodels[schema]\n if uuid:\n count = model.count({'uuid': uuid})\n obj = model.find({'uuid': uuid})\n elif object_filter:\n count = model.count(literal_eval(object_filter))\n obj = model.find(literal_eval(object_filter))\n else:\n count = model.count()\n obj = model.find()\n if count == 0:\n log('No objects to delete found')\n return\n if not yes and not _ask('Are you sure you want to delete %i objects' %\n count, default=False, data_type='bool', show_hint=True):\n return\n for item in obj:\n item.delete()\n log('Done')\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(ctx, schema, all_schemata):
database = ctx.obj['db']
if schema is None:
if all_schemata is False:
log('No schema given. Read the help', lvl=warn)
return
else:
schemata = database.objectmodels.keys()
else:
schemata = [schema]
for schema in schemata:
try:
things = database.objectmodels[schema]
with click.progressbar(things.find(), length=things.count(),
label='Validating %15s' % schema) as object_bar:
for obj in object_bar:
obj.validate()
except Exception as e:
log('Exception while validating:', schema, e, type(e),
"""
Fix this object and rerun validation!""", emitter=
'MANAGE', lvl=error)
log('Done')
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, schema, all_schemata):\n database = ctx.obj['db']\n if schema is None:\n if all_schemata is False:\n log('No schema given. Read the help', lvl=warn)\n return\n else:\n schemata = database.objectmodels.keys()\n else:\n schemata = [schema]\n for schema in schemata:\n try:\n things = database.objectmodels[schema]\n with click.progressbar(things.find(), length=things.count(),\n label='Validating %15s' % schema) as object_bar:\n for obj in object_bar:\n obj.validate()\n except Exception as e:\n log('Exception while validating:', schema, e, type(e),\n \"\"\"\n\nFix this object and rerun validation!\"\"\", emitter=\n 'MANAGE', lvl=error)\n log('Done')\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(ctx, search, by_type, obj):
if search is not None:
search = search
else:
search = _ask('Enter search term')
database = ctx.obj['db']
def x(search_schema, search_field, find_result=None, key=''):
if find_result is None:
find_result = []
fields = search_schema['properties']
if not by_type:
if search_field in fields:
find_result.append(key)
else:
for field in fields:
try:
if 'type' in fields[field]:
if fields[field]['type'] == search_field:
find_result.append((key, field))
except KeyError as e:
log('Field access error:', e, type(e), exc=True, lvl=debug)
if 'properties' in fields:
find_result.append(find(fields['properties'], search_field,
find_result, key=fields['name']))
for field in fields:
if 'items' in fields[field]:
if 'properties' in fields[field]['items']:
find_result.append(find(fields[field]['items'],
search_field, find_result, key=field))
else:
pass
return find_result
if obj is not None:
schema = database.objectmodels[obj]._schema
result = find(schema, search, [], key='top')
if result:
print(obj)
pprint(result)
else:
for model, thing in database.objectmodels.items():
schema = thing._schema
result = find(schema, search, [], key='top')
if result:
print(model)
print(result)
| find_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, search, by_type, obj):\n if search is not None:\n search = search\n else:\n search = _ask('Enter search term')\n database = ctx.obj['db']\n\n def x(search_schema, search_field, find_result=None, key=''):\n if find_result is None:\n find_result = []\n fields = search_schema['properties']\n if not by_type:\n if search_field in fields:\n find_result.append(key)\n else:\n for field in fields:\n try:\n if 'type' in fields[field]:\n if fields[field]['type'] == search_field:\n find_result.append((key, field))\n except KeyError as e:\n log('Field access error:', e, type(e), exc=True, lvl=debug)\n if 'properties' in fields:\n find_result.append(find(fields['properties'], search_field,\n find_result, key=fields['name']))\n for field in fields:\n if 'items' in fields[field]:\n if 'properties' in fields[field]['items']:\n find_result.append(find(fields[field]['items'],\n search_field, find_result, key=field))\n else:\n pass\n return find_result\n if obj is not None:\n schema = database.objectmodels[obj]._schema\n result = find(schema, search, [], key='top')\n if result:\n print(obj)\n pprint(result)\n else:\n for model, thing in database.objectmodels.items():\n schema = thing._schema\n result = find(schema, search, [], key='top')\n if result:\n print(model)\n print(result)\n",
"role": "user"
},
{
"content": "find_field",
"role": "assistant"
}
] |
def x(lat1, lon1, lat2, lon2):
az12, az21, dist = wgs84_geod.inv(lon1, lat1, lon2, lat2)
return az21, dist
| Distance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lat1, lon1, lat2, lon2):\n az12, az21, dist = wgs84_geod.inv(lon1, lat1, lon2, lat2)\n return az21, dist\n",
"role": "user"
},
{
"content": "Distance",
"role": "assistant"
}
] |
def x(self, *args):
self.log(_('Client details:', lang='de'))
client = self._clients[args[0]]
self.log('UUID:', client.uuid, 'IP:', client.ip, 'Name:', client.name,
'User:', self._users[client.useruuid], pretty=True)
| client_details | [
{
"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.log(_('Client details:', lang='de'))\n client = self._clients[args[0]]\n self.log('UUID:', client.uuid, 'IP:', client.ip, 'Name:', client.name,\n 'User:', self._users[client.useruuid], pretty=True)\n",
"role": "user"
},
{
"content": "client_details",
"role": "assistant"
}
] |
def x(self, *args):
if len(self._clients) == 0:
self.log('No clients connected')
else:
self.log(self._clients, pretty=True)
| client_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args):\n if len(self._clients) == 0:\n self.log('No clients connected')\n else:\n self.log(self._clients, pretty=True)\n",
"role": "user"
},
{
"content": "client_list",
"role": "assistant"
}
] |
def x(self, *args):
if len(self._users) == 0:
self.log('No users connected')
else:
self.log(self._users, pretty=True)
| users_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args):\n if len(self._users) == 0:\n self.log('No users connected')\n else:\n self.log(self._users, pretty=True)\n",
"role": "user"
},
{
"content": "users_list",
"role": "assistant"
}
] |
def x(self, *args):
from pprint import pprint
sources = {}
sources.update(self.authorized_events)
sources.update(self.anonymous_events)
for source in sources:
pprint(source)
| sourcess_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args):\n from pprint import pprint\n sources = {}\n sources.update(self.authorized_events)\n sources.update(self.anonymous_events)\n for source in sources:\n pprint(source)\n",
"role": "user"
},
{
"content": "sourcess_list",
"role": "assistant"
}
] |
def x(self, *args):
def x(a, b, path=None):
if path is None:
path = []
for key in b:
if key in a:
if isinstance(a[key], dict) and isinstance(b[key], dict):
merge(a[key], b[key], path + [str(key)])
elif a[key] == b[key]:
pass
else:
raise Exception('Conflict at %s' % '.'.join(path + [str
(key)]))
else:
a[key] = b[key]
return a
events = {}
sources = merge(self.authorized_events, self.anonymous_events)
for source, source_events in sources.items():
events[source] = []
for item in source_events:
events[source].append(item)
self.log(events, pretty=True)
| events_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args):\n\n def x(a, b, path=None):\n if path is None:\n path = []\n for key in b:\n if key in a:\n if isinstance(a[key], dict) and isinstance(b[key], dict):\n merge(a[key], b[key], path + [str(key)])\n elif a[key] == b[key]:\n pass\n else:\n raise Exception('Conflict at %s' % '.'.join(path + [str\n (key)]))\n else:\n a[key] = b[key]\n return a\n events = {}\n sources = merge(self.authorized_events, self.anonymous_events)\n for source, source_events in sources.items():\n events[source] = []\n for item in source_events:\n events[source].append(item)\n self.log(events, pretty=True)\n",
"role": "user"
},
{
"content": "events_list",
"role": "assistant"
}
] |
def x(self, *args):
if len(self._users) == 0:
self.log('No users connected')
if len(self._clients) == 0:
self.log('No clients connected')
return
Row = namedtuple('Row', ['User', 'Client', 'IP'])
rows = []
for user in self._users.values():
for key, client in self._clients.items():
if client.useruuid == user.uuid:
row = Row(user.account.name, key, client.ip)
rows.append(row)
for key, client in self._clients.items():
if client.useruuid is None:
row = Row('ANON', key, client.ip)
rows.append(row)
self.log('\n' + std_table(rows))
| who | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args):\n if len(self._users) == 0:\n self.log('No users connected')\n if len(self._clients) == 0:\n self.log('No clients connected')\n return\n Row = namedtuple('Row', ['User', 'Client', 'IP'])\n rows = []\n for user in self._users.values():\n for key, client in self._clients.items():\n if client.useruuid == user.uuid:\n row = Row(user.account.name, key, client.ip)\n rows.append(row)\n for key, client in self._clients.items():\n if client.useruuid is None:\n row = Row('ANON', key, client.ip)\n rows.append(row)\n self.log('\\n' + std_table(rows))\n",
"role": "user"
},
{
"content": "who",
"role": "assistant"
}
] |
def x(self, sock):
self.log('Disconnect ', sock, lvl=debug)
try:
if sock in self._sockets:
self.log('Getting socket', lvl=debug)
sockobj = self._sockets[sock]
self.log('Getting clientuuid', lvl=debug)
clientuuid = sockobj.clientuuid
self.log('getting useruuid', lvl=debug)
useruuid = self._clients[clientuuid].useruuid
self.log('Firing disconnect event', lvl=debug)
self.fireEvent(clientdisconnect(clientuuid, self._clients[
clientuuid].useruuid))
self.log('Logging out relevant client', lvl=debug)
if useruuid is not None:
self.log('Client was logged in', lvl=debug)
try:
self._logoutclient(useruuid, clientuuid)
self.log('Client logged out', useruuid, clientuuid)
except Exception as e:
self.log("Couldn't clean up logged in user! ", self.
_users[useruuid], e, type(e), lvl=critical)
self.log('Deleting Client (', self._clients.keys, ')', lvl=debug)
del self._clients[clientuuid]
self.log('Deleting Socket', lvl=debug)
del self._sockets[sock]
except Exception as e:
self.log('Error during disconnect handling: ', e, type(e), lvl=critical
)
| disconnect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sock):\n self.log('Disconnect ', sock, lvl=debug)\n try:\n if sock in self._sockets:\n self.log('Getting socket', lvl=debug)\n sockobj = self._sockets[sock]\n self.log('Getting clientuuid', lvl=debug)\n clientuuid = sockobj.clientuuid\n self.log('getting useruuid', lvl=debug)\n useruuid = self._clients[clientuuid].useruuid\n self.log('Firing disconnect event', lvl=debug)\n self.fireEvent(clientdisconnect(clientuuid, self._clients[\n clientuuid].useruuid))\n self.log('Logging out relevant client', lvl=debug)\n if useruuid is not None:\n self.log('Client was logged in', lvl=debug)\n try:\n self._logoutclient(useruuid, clientuuid)\n self.log('Client logged out', useruuid, clientuuid)\n except Exception as e:\n self.log(\"Couldn't clean up logged in user! \", self.\n _users[useruuid], e, type(e), lvl=critical)\n self.log('Deleting Client (', self._clients.keys, ')', lvl=debug)\n del self._clients[clientuuid]\n self.log('Deleting Socket', lvl=debug)\n del self._sockets[sock]\n except Exception as e:\n self.log('Error during disconnect handling: ', e, type(e), lvl=critical\n )\n",
"role": "user"
},
{
"content": "disconnect",
"role": "assistant"
}
] |
def x(self, useruuid, clientuuid):
self.log('Cleaning up client of logged in user.', lvl=debug)
try:
self._users[useruuid].clients.remove(clientuuid)
if len(self._users[useruuid].clients) == 0:
self.log('Last client of user disconnected.', lvl=verbose)
self.fireEvent(userlogout(useruuid, clientuuid))
del self._users[useruuid]
self._clients[clientuuid].useruuid = None
except Exception as e:
self.log('Error during client logout: ', e, type(e), clientuuid,
useruuid, lvl=error, exc=True)
| logoutclient | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, useruuid, clientuuid):\n self.log('Cleaning up client of logged in user.', lvl=debug)\n try:\n self._users[useruuid].clients.remove(clientuuid)\n if len(self._users[useruuid].clients) == 0:\n self.log('Last client of user disconnected.', lvl=verbose)\n self.fireEvent(userlogout(useruuid, clientuuid))\n del self._users[useruuid]\n self._clients[clientuuid].useruuid = None\n except Exception as e:\n self.log('Error during client logout: ', e, type(e), clientuuid,\n useruuid, lvl=error, exc=True)\n",
"role": "user"
},
{
"content": "logoutclient",
"role": "assistant"
}
] |
def x(self, *args):
self.log('Connect ', args, lvl=verbose)
try:
sock = args[0]
ip = args[1]
if sock not in self._sockets:
self.log('New client connected:', ip, lvl=debug)
clientuuid = str(uuid4())
self._sockets[sock] = Socket(ip, clientuuid)
self._clients[clientuuid] = Client(sock=sock, ip=ip, clientuuid
=clientuuid)
self.log('Client connected:', clientuuid, lvl=debug)
else:
self.log('Old IP reconnected!', lvl=warn)
except Exception as e:
self.log('Error during connect: ', e, type(e), lvl=critical)
| connect | [
{
"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.log('Connect ', args, lvl=verbose)\n try:\n sock = args[0]\n ip = args[1]\n if sock not in self._sockets:\n self.log('New client connected:', ip, lvl=debug)\n clientuuid = str(uuid4())\n self._sockets[sock] = Socket(ip, clientuuid)\n self._clients[clientuuid] = Client(sock=sock, ip=ip, clientuuid\n =clientuuid)\n self.log('Client connected:', clientuuid, lvl=debug)\n else:\n self.log('Old IP reconnected!', lvl=warn)\n except Exception as e:\n self.log('Error during connect: ', e, type(e), lvl=critical)\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self, event):
try:
jsonpacket = json.dumps(event.packet, cls=ComplexEncoder)
if event.sendtype == 'user':
if event.uuid is None:
userobject = objectmodels['user'].find_one({'name': event.
username})
else:
userobject = objectmodels['user'].find_one({'uuid': event.uuid}
)
if userobject is None:
self.log('No user by that name known.', lvl=warn)
return
else:
uuid = userobject.uuid
self.log("Broadcasting to all of users clients: '%s': '%s" % (
uuid, str(event.packet)[:20]), lvl=network)
if uuid not in self._users:
self.log('User not connected!', event, lvl=critical)
return
clients = self._users[uuid].clients
for clientuuid in clients:
sock = self._clients[clientuuid].sock
if not event.raw:
self.log('Sending json to client', jsonpacket[:50], lvl
=network)
self.fireEvent(write(sock, jsonpacket), 'wsserver')
else:
self.log('Sending raw data to client')
self.fireEvent(write(sock, event.packet), 'wsserver')
else:
self.log("Sending to user's client: '%s': '%s'" % (event.uuid,
jsonpacket[:20]), lvl=network)
if event.uuid not in self._clients:
if not event.fail_quiet:
self.log('Unknown client!', event.uuid, lvl=critical)
self.log('Clients:', self._clients, lvl=debug)
return
sock = self._clients[event.uuid].sock
if not event.raw:
self.fireEvent(write(sock, jsonpacket), 'wsserver')
else:
self.log('Sending raw data to client', lvl=network)
self.fireEvent(write(sock, event.packet[:20]), 'wsserver')
except Exception as e:
self.log('Exception during sending: %s (%s)' % (e, type(e)), lvl=
critical, exc=True)
| send | [
{
"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 jsonpacket = json.dumps(event.packet, cls=ComplexEncoder)\n if event.sendtype == 'user':\n if event.uuid is None:\n userobject = objectmodels['user'].find_one({'name': event.\n username})\n else:\n userobject = objectmodels['user'].find_one({'uuid': event.uuid}\n )\n if userobject is None:\n self.log('No user by that name known.', lvl=warn)\n return\n else:\n uuid = userobject.uuid\n self.log(\"Broadcasting to all of users clients: '%s': '%s\" % (\n uuid, str(event.packet)[:20]), lvl=network)\n if uuid not in self._users:\n self.log('User not connected!', event, lvl=critical)\n return\n clients = self._users[uuid].clients\n for clientuuid in clients:\n sock = self._clients[clientuuid].sock\n if not event.raw:\n self.log('Sending json to client', jsonpacket[:50], lvl\n =network)\n self.fireEvent(write(sock, jsonpacket), 'wsserver')\n else:\n self.log('Sending raw data to client')\n self.fireEvent(write(sock, event.packet), 'wsserver')\n else:\n self.log(\"Sending to user's client: '%s': '%s'\" % (event.uuid,\n jsonpacket[:20]), lvl=network)\n if event.uuid not in self._clients:\n if not event.fail_quiet:\n self.log('Unknown client!', event.uuid, lvl=critical)\n self.log('Clients:', self._clients, lvl=debug)\n return\n sock = self._clients[event.uuid].sock\n if not event.raw:\n self.fireEvent(write(sock, jsonpacket), 'wsserver')\n else:\n self.log('Sending raw data to client', lvl=network)\n self.fireEvent(write(sock, event.packet[:20]), 'wsserver')\n except Exception as e:\n self.log('Exception during sending: %s (%s)' % (e, type(e)), lvl=\n critical, exc=True)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self, event):
try:
if event.broadcasttype == 'users':
if len(self._users) > 0:
self.log('Broadcasting to all users:', event.content, lvl=
network)
for useruuid in self._users.keys():
self.fireEvent(send(useruuid, event.content, sendtype=
'user'))
elif event.broadcasttype == 'clients':
if len(self._clients) > 0:
self.log('Broadcasting to all clients: ', event.content,
lvl=network)
for client in self._clients.values():
self.fireEvent(write(client.sock, event.content),
'wsserver')
elif event.broadcasttype == 'socks':
if len(self._sockets) > 0:
self.log('Emergency?! Broadcasting to all sockets: ', event
.content)
for sock in self._sockets:
self.fireEvent(write(sock, event.content), 'wsserver')
except Exception as e:
self.log('Error during broadcast: ', e, type(e), lvl=critical)
| broadcast | [
{
"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 if event.broadcasttype == 'users':\n if len(self._users) > 0:\n self.log('Broadcasting to all users:', event.content, lvl=\n network)\n for useruuid in self._users.keys():\n self.fireEvent(send(useruuid, event.content, sendtype=\n 'user'))\n elif event.broadcasttype == 'clients':\n if len(self._clients) > 0:\n self.log('Broadcasting to all clients: ', event.content,\n lvl=network)\n for client in self._clients.values():\n self.fireEvent(write(client.sock, event.content),\n 'wsserver')\n elif event.broadcasttype == 'socks':\n if len(self._sockets) > 0:\n self.log('Emergency?! Broadcasting to all sockets: ', event\n .content)\n for sock in self._sockets:\n self.fireEvent(write(sock, event.content), 'wsserver')\n except Exception as e:\n self.log('Error during broadcast: ', e, type(e), lvl=critical)\n",
"role": "user"
},
{
"content": "broadcast",
"role": "assistant"
}
] |
def x(self, user, event):
for role in user.account.roles:
if role in event.roles:
self.log('Access granted', lvl=verbose)
return True
self.log('Access denied', lvl=verbose)
return False
| checkPermissions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user, event):\n for role in user.account.roles:\n if role in event.roles:\n self.log('Access granted', lvl=verbose)\n return True\n self.log('Access denied', lvl=verbose)\n return False\n",
"role": "user"
},
{
"content": "checkPermissions",
"role": "assistant"
}
] |
def x(self, component, action, data, user, client):
try:
if component == 'debugger':
self.log(component, action, data, user, client, lvl=info)
if not user and component in self.authorized_events.keys():
self.log(
'Unknown client tried to do an authenticated operation: %s',
component, action, data, user)
return
event = self.authorized_events[component][action]['event'](user,
action, data, client)
self.log('Authorized event roles:', event.roles, lvl=verbose)
if not self._checkPermissions(user, event):
result = {'component': 'hfos.ui.clientmanager', 'action':
'Permission', 'data': _(
'You have no role that allows this action.', lang='de')}
self.fireEvent(send(event.client.uuid, result))
return
self.log('Firing authorized event: ', component, action, str(data)[
:100], lvl=debug)
self.fireEvent(event)
except Exception as e:
self.log('Critical error during authorized event handling:',
component, action, e, type(e), lvl=critical, exc=True)
| handleAuthorizedEvents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, component, action, data, user, client):\n try:\n if component == 'debugger':\n self.log(component, action, data, user, client, lvl=info)\n if not user and component in self.authorized_events.keys():\n self.log(\n 'Unknown client tried to do an authenticated operation: %s',\n component, action, data, user)\n return\n event = self.authorized_events[component][action]['event'](user,\n action, data, client)\n self.log('Authorized event roles:', event.roles, lvl=verbose)\n if not self._checkPermissions(user, event):\n result = {'component': 'hfos.ui.clientmanager', 'action':\n 'Permission', 'data': _(\n 'You have no role that allows this action.', lang='de')}\n self.fireEvent(send(event.client.uuid, result))\n return\n self.log('Firing authorized event: ', component, action, str(data)[\n :100], lvl=debug)\n self.fireEvent(event)\n except Exception as e:\n self.log('Critical error during authorized event handling:',\n component, action, e, type(e), lvl=critical, exc=True)\n",
"role": "user"
},
{
"content": "handleAuthorizedEvents",
"role": "assistant"
}
] |
def x(self, component, action, data, client):
try:
event = self.anonymous_events[component][action]['event']
self.log('Firing anonymous event: ', component, action, str(data)[:
20], lvl=network)
self.fireEvent(event(action, data, client))
except Exception as e:
self.log('Critical error during anonymous event handling:',
component, action, e, type(e), lvl=critical, exc=True)
| handleAnonymousEvents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, component, action, data, client):\n try:\n event = self.anonymous_events[component][action]['event']\n self.log('Firing anonymous event: ', component, action, str(data)[:\n 20], lvl=network)\n self.fireEvent(event(action, data, client))\n except Exception as e:\n self.log('Critical error during anonymous event handling:',\n component, action, e, type(e), lvl=critical, exc=True)\n",
"role": "user"
},
{
"content": "handleAnonymousEvents",
"role": "assistant"
}
] |
def x(self, requestdata, requestaction, clientuuid, sock):
if requestaction in ('login', 'autologin'):
try:
self.log('Login request', lvl=verbose)
if requestaction == 'autologin':
username = password = None
requestedclientuuid = requestdata
auto = True
self.log('Autologin for', requestedclientuuid, lvl=debug)
else:
username = requestdata['username']
password = requestdata['password']
if 'clientuuid' in requestdata:
requestedclientuuid = requestdata['clientuuid']
else:
requestedclientuuid = None
auto = False
self.log('Auth request by', username, lvl=verbose)
self.fireEvent(authenticationrequest(username, password,
clientuuid, requestedclientuuid, sock, auto), 'auth')
return
except Exception as e:
self.log('Login failed: ', e, type(e), lvl=warn, exc=True)
elif requestaction == 'logout':
self.log('User logged out, refreshing client.', lvl=network)
try:
if clientuuid in self._clients:
client = self._clients[clientuuid]
user_id = client.useruuid
if client.useruuid:
self.log('Logout client uuid: ', clientuuid)
self._logoutclient(client.useruuid, clientuuid)
self.fireEvent(clientdisconnect(clientuuid))
else:
self.log('Client is not connected!', lvl=warn)
except Exception as e:
self.log('Error during client logout: ', e, type(e), lvl=error,
exc=True)
else:
self.log('Unsupported auth action requested:', requestaction, lvl=warn)
| handleAuthenticationEvents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, requestdata, requestaction, clientuuid, sock):\n if requestaction in ('login', 'autologin'):\n try:\n self.log('Login request', lvl=verbose)\n if requestaction == 'autologin':\n username = password = None\n requestedclientuuid = requestdata\n auto = True\n self.log('Autologin for', requestedclientuuid, lvl=debug)\n else:\n username = requestdata['username']\n password = requestdata['password']\n if 'clientuuid' in requestdata:\n requestedclientuuid = requestdata['clientuuid']\n else:\n requestedclientuuid = None\n auto = False\n self.log('Auth request by', username, lvl=verbose)\n self.fireEvent(authenticationrequest(username, password,\n clientuuid, requestedclientuuid, sock, auto), 'auth')\n return\n except Exception as e:\n self.log('Login failed: ', e, type(e), lvl=warn, exc=True)\n elif requestaction == 'logout':\n self.log('User logged out, refreshing client.', lvl=network)\n try:\n if clientuuid in self._clients:\n client = self._clients[clientuuid]\n user_id = client.useruuid\n if client.useruuid:\n self.log('Logout client uuid: ', clientuuid)\n self._logoutclient(client.useruuid, clientuuid)\n self.fireEvent(clientdisconnect(clientuuid))\n else:\n self.log('Client is not connected!', lvl=warn)\n except Exception as e:\n self.log('Error during client logout: ', e, type(e), lvl=error,\n exc=True)\n else:\n self.log('Unsupported auth action requested:', requestaction, lvl=warn)\n",
"role": "user"
},
{
"content": "handleAuthenticationEvents",
"role": "assistant"
}
] |
def x(self, *args):
offenders = []
for offender, offence_time in self._flooding.items():
if time() - offence_time < 10:
self.log('Removed offender from flood list:', offender)
offenders.append(offender)
for offender in offenders:
del self._flooding[offender]
| reset_flood_offenders | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args):\n offenders = []\n for offender, offence_time in self._flooding.items():\n if time() - offence_time < 10:\n self.log('Removed offender from flood list:', offender)\n offenders.append(offender)\n for offender in offenders:\n del self._flooding[offender]\n",
"role": "user"
},
{
"content": "reset_flood_offenders",
"role": "assistant"
}
] |
def x(self, component, action, clientuuid):
if clientuuid not in self._flood_counter:
self._flood_counter[clientuuid] = 0
self._flood_counter[clientuuid] += 1
if self._flood_counter[clientuuid] > 100:
packet = {'component': 'hfos.ui.clientmanager', 'action':
'Flooding', 'data': True}
self.fireEvent(send(clientuuid, packet))
self.log('Flooding from', clientuuid)
return True
| check_flood_protection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, component, action, clientuuid):\n if clientuuid not in self._flood_counter:\n self._flood_counter[clientuuid] = 0\n self._flood_counter[clientuuid] += 1\n if self._flood_counter[clientuuid] > 100:\n packet = {'component': 'hfos.ui.clientmanager', 'action':\n 'Flooding', 'data': True}\n self.fireEvent(send(clientuuid, packet))\n self.log('Flooding from', clientuuid)\n return True\n",
"role": "user"
},
{
"content": "check_flood_protection",
"role": "assistant"
}
] |
def x(self, *args):
self.log('Beginning new transaction: ', args, lvl=network)
try:
sock, msg = args[0], args[1]
(user) = (password) = (client) = (clientuuid) = (useruuid) = (
requestdata) = (requestaction) = None
clientuuid = self._sockets[sock].clientuuid
except Exception as e:
self.log('Receiving error: ', e, type(e), lvl=error)
if clientuuid in self._flooding:
return
try:
msg = json.loads(msg)
self.log('Message from client received: ', msg, lvl=network)
except Exception as e:
self.log('JSON Decoding failed! %s (%s of %s)' % (msg, e, type(e)))
return
try:
requestcomponent = msg['component']
requestaction = msg['action']
except (KeyError, AttributeError) as e:
self.log('Unpacking error: ', msg, e, type(e), lvl=error)
return
if self._check_flood_protection(requestcomponent, requestaction, clientuuid
):
self.log('Flood protection triggered')
self._flooding[clientuuid] = time()
try:
requestdata = msg['data']
if isinstance(requestdata, (dict, list)) and 'raw' in requestdata:
requestdata['raw'] = b64decode(requestdata['raw'])
except (KeyError, AttributeError) as e:
self.log('No payload.', lvl=network)
requestdata = None
if requestcomponent == 'auth':
self._handleAuthenticationEvents(requestdata, requestaction,
clientuuid, sock)
return
try:
client = self._clients[clientuuid]
except KeyError as e:
self.log('Could not get client for request!', e, type(e), lvl=warn)
return
if (requestcomponent in self.anonymous_events and requestaction in self
.anonymous_events[requestcomponent]):
self.log('Executing anonymous event:', requestcomponent, requestaction)
try:
self._handleAnonymousEvents(requestcomponent, requestaction,
requestdata, client)
except Exception as e:
self.log('Anonymous request failed:', e, type(e), lvl=warn, exc
=True)
return
elif requestcomponent in self.authorized_events:
try:
useruuid = client.useruuid
self.log('Authenticated operation requested by ', useruuid,
client.config, lvl=network)
except Exception as e:
self.log('No useruuid!', e, type(e), lvl=critical)
return
self.log('Checking if user is logged in', lvl=verbose)
try:
user = self._users[useruuid]
except KeyError:
if not (requestaction == 'ping' and requestcomponent ==
'hfos.ui.clientmanager'):
self.log('User not logged in.', lvl=warn)
return
self.log('Handling event:', requestcomponent, requestaction, lvl=
verbose)
try:
self._handleAuthorizedEvents(requestcomponent, requestaction,
requestdata, user, client)
except Exception as e:
self.log('User request failed: ', e, type(e), lvl=warn, exc=True)
else:
self.log('Invalid event received:', requestcomponent, requestaction,
lvl=warn)
| read | [
{
"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.log('Beginning new transaction: ', args, lvl=network)\n try:\n sock, msg = args[0], args[1]\n (user) = (password) = (client) = (clientuuid) = (useruuid) = (\n requestdata) = (requestaction) = None\n clientuuid = self._sockets[sock].clientuuid\n except Exception as e:\n self.log('Receiving error: ', e, type(e), lvl=error)\n if clientuuid in self._flooding:\n return\n try:\n msg = json.loads(msg)\n self.log('Message from client received: ', msg, lvl=network)\n except Exception as e:\n self.log('JSON Decoding failed! %s (%s of %s)' % (msg, e, type(e)))\n return\n try:\n requestcomponent = msg['component']\n requestaction = msg['action']\n except (KeyError, AttributeError) as e:\n self.log('Unpacking error: ', msg, e, type(e), lvl=error)\n return\n if self._check_flood_protection(requestcomponent, requestaction, clientuuid\n ):\n self.log('Flood protection triggered')\n self._flooding[clientuuid] = time()\n try:\n requestdata = msg['data']\n if isinstance(requestdata, (dict, list)) and 'raw' in requestdata:\n requestdata['raw'] = b64decode(requestdata['raw'])\n except (KeyError, AttributeError) as e:\n self.log('No payload.', lvl=network)\n requestdata = None\n if requestcomponent == 'auth':\n self._handleAuthenticationEvents(requestdata, requestaction,\n clientuuid, sock)\n return\n try:\n client = self._clients[clientuuid]\n except KeyError as e:\n self.log('Could not get client for request!', e, type(e), lvl=warn)\n return\n if (requestcomponent in self.anonymous_events and requestaction in self\n .anonymous_events[requestcomponent]):\n self.log('Executing anonymous event:', requestcomponent, requestaction)\n try:\n self._handleAnonymousEvents(requestcomponent, requestaction,\n requestdata, client)\n except Exception as e:\n self.log('Anonymous request failed:', e, type(e), lvl=warn, exc\n =True)\n return\n elif requestcomponent in self.authorized_events:\n try:\n useruuid = client.useruuid\n self.log('Authenticated operation requested by ', useruuid,\n client.config, lvl=network)\n except Exception as e:\n self.log('No useruuid!', e, type(e), lvl=critical)\n return\n self.log('Checking if user is logged in', lvl=verbose)\n try:\n user = self._users[useruuid]\n except KeyError:\n if not (requestaction == 'ping' and requestcomponent ==\n 'hfos.ui.clientmanager'):\n self.log('User not logged in.', lvl=warn)\n return\n self.log('Handling event:', requestcomponent, requestaction, lvl=\n verbose)\n try:\n self._handleAuthorizedEvents(requestcomponent, requestaction,\n requestdata, user, client)\n except Exception as e:\n self.log('User request failed: ', e, type(e), lvl=warn, exc=True)\n else:\n self.log('Invalid event received:', requestcomponent, requestaction,\n lvl=warn)\n",
"role": "user"
},
{
"content": "read",
"role": "assistant"
}
] |
def x(self, event):
try:
self.log('Authorization has been granted by DB check:', event.
username, lvl=debug)
account, profile, clientconfig = event.userdata
useruuid = event.useruuid
originatingclientuuid = event.clientuuid
clientuuid = clientconfig.uuid
if clientuuid != originatingclientuuid:
self.log('Mutating client uuid to request id:', clientuuid, lvl
=network)
if useruuid in self._users:
signedinuser = self._users[useruuid]
else:
signedinuser = User(account, profile, useruuid)
self._users[account.uuid] = signedinuser
if clientuuid in signedinuser.clients:
self.log('Client configuration already logged in.', lvl=critical)
else:
signedinuser.clients.append(clientuuid)
self.log('Active client (', clientuuid, ') registered to user',
useruuid, lvl=debug)
socket = self._sockets[event.sock]
socket.clientuuid = clientuuid
self._sockets[event.sock] = socket
try:
language = clientconfig.language
except AttributeError:
language = 'en'
newclient = Client(sock=event.sock, ip=socket.ip, clientuuid=
clientuuid, useruuid=useruuid, name=clientconfig.name, config=
clientconfig, language=language)
del self._clients[originatingclientuuid]
self._clients[clientuuid] = newclient
authpacket = {'component': 'auth', 'action': 'login', 'data':
account.serializablefields()}
self.log('Transmitting Authorization to client', authpacket, lvl=
network)
self.fireEvent(write(event.sock, json.dumps(authpacket)), 'wsserver')
profilepacket = {'component': 'profile', 'action': 'get', 'data':
profile.serializablefields()}
self.log('Transmitting Profile to client', profilepacket, lvl=network)
self.fireEvent(write(event.sock, json.dumps(profilepacket)), 'wsserver'
)
clientconfigpacket = {'component': 'clientconfig', 'action': 'get',
'data': clientconfig.serializablefields()}
self.log('Transmitting client configuration to client',
clientconfigpacket, lvl=network)
self.fireEvent(write(event.sock, json.dumps(clientconfigpacket)),
'wsserver')
self.fireEvent(userlogin(clientuuid, useruuid, clientconfig,
signedinuser))
self.log('User configured: Name', signedinuser.account.name,
'Profile', signedinuser.profile.uuid, 'Clients', signedinuser.
clients, lvl=debug)
except Exception as e:
self.log('Error (%s, %s) during auth grant: %s' % (type(e), e,
event), lvl=error)
| authentication | [
{
"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('Authorization has been granted by DB check:', event.\n username, lvl=debug)\n account, profile, clientconfig = event.userdata\n useruuid = event.useruuid\n originatingclientuuid = event.clientuuid\n clientuuid = clientconfig.uuid\n if clientuuid != originatingclientuuid:\n self.log('Mutating client uuid to request id:', clientuuid, lvl\n =network)\n if useruuid in self._users:\n signedinuser = self._users[useruuid]\n else:\n signedinuser = User(account, profile, useruuid)\n self._users[account.uuid] = signedinuser\n if clientuuid in signedinuser.clients:\n self.log('Client configuration already logged in.', lvl=critical)\n else:\n signedinuser.clients.append(clientuuid)\n self.log('Active client (', clientuuid, ') registered to user',\n useruuid, lvl=debug)\n socket = self._sockets[event.sock]\n socket.clientuuid = clientuuid\n self._sockets[event.sock] = socket\n try:\n language = clientconfig.language\n except AttributeError:\n language = 'en'\n newclient = Client(sock=event.sock, ip=socket.ip, clientuuid=\n clientuuid, useruuid=useruuid, name=clientconfig.name, config=\n clientconfig, language=language)\n del self._clients[originatingclientuuid]\n self._clients[clientuuid] = newclient\n authpacket = {'component': 'auth', 'action': 'login', 'data':\n account.serializablefields()}\n self.log('Transmitting Authorization to client', authpacket, lvl=\n network)\n self.fireEvent(write(event.sock, json.dumps(authpacket)), 'wsserver')\n profilepacket = {'component': 'profile', 'action': 'get', 'data':\n profile.serializablefields()}\n self.log('Transmitting Profile to client', profilepacket, lvl=network)\n self.fireEvent(write(event.sock, json.dumps(profilepacket)), 'wsserver'\n )\n clientconfigpacket = {'component': 'clientconfig', 'action': 'get',\n 'data': clientconfig.serializablefields()}\n self.log('Transmitting client configuration to client',\n clientconfigpacket, lvl=network)\n self.fireEvent(write(event.sock, json.dumps(clientconfigpacket)),\n 'wsserver')\n self.fireEvent(userlogin(clientuuid, useruuid, clientconfig,\n signedinuser))\n self.log('User configured: Name', signedinuser.account.name,\n 'Profile', signedinuser.profile.uuid, 'Clients', signedinuser.\n clients, lvl=debug)\n except Exception as e:\n self.log('Error (%s, %s) during auth grant: %s' % (type(e), e,\n event), lvl=error)\n",
"role": "user"
},
{
"content": "authentication",
"role": "assistant"
}
] |
def x(self, event):
self.log('Language selection event:', event.client, pretty=True)
if event.data not in all_languages():
self.log('Unavailable language selected:', event.data, lvl=warn)
language = None
else:
language = event.data
if language is None:
language = 'en'
event.client.language = language
if event.client.config is not None:
event.client.config.language = language
event.client.config.save()
| selectlanguage | [
{
"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('Language selection event:', event.client, pretty=True)\n if event.data not in all_languages():\n self.log('Unavailable language selected:', event.data, lvl=warn)\n language = None\n else:\n language = event.data\n if language is None:\n language = 'en'\n event.client.language = language\n if event.client.config is not None:\n event.client.config.language = language\n event.client.config.save()\n",
"role": "user"
},
{
"content": "selectlanguage",
"role": "assistant"
}
] |
def x(self, event):
self.log('Client requests all languages.', lvl=verbose)
result = {'component': 'hfos.ui.clientmanager', 'action':
'getlanguages', 'data': language_token_to_name(all_languages())}
self.fireEvent(send(event.client.uuid, result))
| getlanguages | [
{
"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('Client requests all languages.', lvl=verbose)\n result = {'component': 'hfos.ui.clientmanager', 'action':\n 'getlanguages', 'data': language_token_to_name(all_languages())}\n self.fireEvent(send(event.client.uuid, result))\n",
"role": "user"
},
{
"content": "getlanguages",
"role": "assistant"
}
] |
def x(self, event):
self.log('Client ping received:', event.data, lvl=verbose)
response = {'component': 'hfos.ui.clientmanager', 'action': 'pong',
'data': [event.data, time() * 1000]}
self.fire(send(event.client.uuid, response))
| ping | [
{
"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('Client ping received:', event.data, lvl=verbose)\n response = {'component': 'hfos.ui.clientmanager', 'action': 'pong',\n 'data': [event.data, time() * 1000]}\n self.fire(send(event.client.uuid, response))\n",
"role": "user"
},
{
"content": "ping",
"role": "assistant"
}
] |
def x(self, lat, lon, source, dest, height=0, datetime=None, precision=
1e-10, ssheight=50 * 6371):
if datetime is None and 'mlt' in [source, dest]:
raise ValueError('datetime must be given for MLT calculations')
lat = helpers.checklat(lat)
if source == dest:
return lat, lon
elif source == 'geo' and dest == 'apex':
lat, lon = self.geo2apex(lat, lon, height)
elif source == 'geo' and dest == 'qd':
lat, lon = self.geo2qd(lat, lon, height)
elif source == 'geo' and dest == 'mlt':
lat, lon = self.geo2apex(lat, lon, height)
lon = self.mlon2mlt(lon, datetime, ssheight=ssheight)
elif source == 'apex' and dest == 'geo':
lat, lon, _ = self.apex2geo(lat, lon, height, precision=precision)
elif source == 'apex' and dest == 'qd':
lat, lon = self.apex2qd(lat, lon, height=height)
elif source == 'apex' and dest == 'mlt':
lon = self.mlon2mlt(lon, datetime, ssheight=ssheight)
elif source == 'qd' and dest == 'geo':
lat, lon, _ = self.qd2geo(lat, lon, height, precision=precision)
elif source == 'qd' and dest == 'apex':
lat, lon = self.qd2apex(lat, lon, height=height)
elif source == 'qd' and dest == 'mlt':
lat, lon = self.qd2apex(lat, lon, height=height)
lon = self.mlon2mlt(lon, datetime, ssheight=ssheight)
elif source == 'mlt' and dest == 'geo':
lon = self.mlt2mlon(lon, datetime, ssheight=ssheight)
lat, lon, _ = self.apex2geo(lat, lon, height, precision=precision)
elif source == 'mlt' and dest == 'apex':
lon = self.mlt2mlon(lon, datetime, ssheight=ssheight)
elif source == 'mlt' and dest == 'qd':
lon = self.mlt2mlon(lon, datetime, ssheight=ssheight)
lat, lon = self.apex2qd(lat, lon, height=height)
else:
estr = 'Unknown coordinate transformation: '
estr += '{} -> {}'.format(source, dest)
raise NotImplementedError(estr)
return lat, lon
| convert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lat, lon, source, dest, height=0, datetime=None, precision=\n 1e-10, ssheight=50 * 6371):\n if datetime is None and 'mlt' in [source, dest]:\n raise ValueError('datetime must be given for MLT calculations')\n lat = helpers.checklat(lat)\n if source == dest:\n return lat, lon\n elif source == 'geo' and dest == 'apex':\n lat, lon = self.geo2apex(lat, lon, height)\n elif source == 'geo' and dest == 'qd':\n lat, lon = self.geo2qd(lat, lon, height)\n elif source == 'geo' and dest == 'mlt':\n lat, lon = self.geo2apex(lat, lon, height)\n lon = self.mlon2mlt(lon, datetime, ssheight=ssheight)\n elif source == 'apex' and dest == 'geo':\n lat, lon, _ = self.apex2geo(lat, lon, height, precision=precision)\n elif source == 'apex' and dest == 'qd':\n lat, lon = self.apex2qd(lat, lon, height=height)\n elif source == 'apex' and dest == 'mlt':\n lon = self.mlon2mlt(lon, datetime, ssheight=ssheight)\n elif source == 'qd' and dest == 'geo':\n lat, lon, _ = self.qd2geo(lat, lon, height, precision=precision)\n elif source == 'qd' and dest == 'apex':\n lat, lon = self.qd2apex(lat, lon, height=height)\n elif source == 'qd' and dest == 'mlt':\n lat, lon = self.qd2apex(lat, lon, height=height)\n lon = self.mlon2mlt(lon, datetime, ssheight=ssheight)\n elif source == 'mlt' and dest == 'geo':\n lon = self.mlt2mlon(lon, datetime, ssheight=ssheight)\n lat, lon, _ = self.apex2geo(lat, lon, height, precision=precision)\n elif source == 'mlt' and dest == 'apex':\n lon = self.mlt2mlon(lon, datetime, ssheight=ssheight)\n elif source == 'mlt' and dest == 'qd':\n lon = self.mlt2mlon(lon, datetime, ssheight=ssheight)\n lat, lon = self.apex2qd(lat, lon, height=height)\n else:\n estr = 'Unknown coordinate transformation: '\n estr += '{} -> {}'.format(source, dest)\n raise NotImplementedError(estr)\n return lat, lon\n",
"role": "user"
},
{
"content": "convert",
"role": "assistant"
}
] |
def x(self, glat, glon, height):
glat = helpers.checklat(glat, name='glat')
alat, alon = self._geo2apex(glat, glon, height)
if np.any(np.float64(alat) == -9999):
warnings.warn(
'Apex latitude set to -9999 where undefined (apex height may be < reference height)'
)
return np.float64(alat), np.float64(alon)
| geo2apex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, glat, glon, height):\n glat = helpers.checklat(glat, name='glat')\n alat, alon = self._geo2apex(glat, glon, height)\n if np.any(np.float64(alat) == -9999):\n warnings.warn(\n 'Apex latitude set to -9999 where undefined (apex height may be < reference height)'\n )\n return np.float64(alat), np.float64(alon)\n",
"role": "user"
},
{
"content": "geo2apex",
"role": "assistant"
}
] |
def x(self, alat, alon, height, precision=1e-10):
alat = helpers.checklat(alat, name='alat')
qlat, qlon = self.apex2qd(alat, alon, height=height)
glat, glon, error = self.qd2geo(qlat, qlon, height, precision=precision)
return glat, glon, error
| apex2geo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, alat, alon, height, precision=1e-10):\n alat = helpers.checklat(alat, name='alat')\n qlat, qlon = self.apex2qd(alat, alon, height=height)\n glat, glon, error = self.qd2geo(qlat, qlon, height, precision=precision)\n return glat, glon, error\n",
"role": "user"
},
{
"content": "apex2geo",
"role": "assistant"
}
] |
def x(self, glat, glon, height):
glat = helpers.checklat(glat, name='glat')
qlat, qlon = self._geo2qd(glat, glon, height)
return np.float64(qlat), np.float64(qlon)
| geo2qd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, glat, glon, height):\n glat = helpers.checklat(glat, name='glat')\n qlat, qlon = self._geo2qd(glat, glon, height)\n return np.float64(qlat), np.float64(qlon)\n",
"role": "user"
},
{
"content": "geo2qd",
"role": "assistant"
}
] |
def x(self, qlat, qlon, height, precision=1e-10):
qlat = helpers.checklat(qlat, name='qlat')
glat, glon, error = self._qd2geo(qlat, qlon, height, precision)
return np.float64(glat), np.float64(glon), np.float64(error)
| qd2geo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, qlat, qlon, height, precision=1e-10):\n qlat = helpers.checklat(qlat, name='qlat')\n glat, glon, error = self._qd2geo(qlat, qlon, height, precision)\n return np.float64(glat), np.float64(glon), np.float64(error)\n",
"role": "user"
},
{
"content": "qd2geo",
"role": "assistant"
}
] |
def x(self, alat, alon, height):
alat = helpers.checklat(alat, name='alat')
qlon = alon
hA = self.get_apex(alat)
if hA < height:
if np.isclose(hA, height, rtol=0, atol=1e-05):
hA = height
else:
estr = 'height {:.3g} is > apex height '.format(np.max(height))
estr += '{:.3g} for alat {:.3g}'.format(hA, alat)
raise ApexHeightError(estr)
qlat = np.sign(alat) * np.degrees(np.arccos(np.sqrt((self.RE + height) /
(self.RE + hA))))
return qlat, qlon
| apex2qd_nonvectorized | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, alat, alon, height):\n alat = helpers.checklat(alat, name='alat')\n qlon = alon\n hA = self.get_apex(alat)\n if hA < height:\n if np.isclose(hA, height, rtol=0, atol=1e-05):\n hA = height\n else:\n estr = 'height {:.3g} is > apex height '.format(np.max(height))\n estr += '{:.3g} for alat {:.3g}'.format(hA, alat)\n raise ApexHeightError(estr)\n qlat = np.sign(alat) * np.degrees(np.arccos(np.sqrt((self.RE + height) /\n (self.RE + hA))))\n return qlat, qlon\n",
"role": "user"
},
{
"content": "apex2qd_nonvectorized",
"role": "assistant"
}
] |
def x(self, alat, alon, height):
qlat, qlon = self._apex2qd(alat, alon, height)
return np.float64(qlat), np.float64(qlon)
| apex2qd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, alat, alon, height):\n qlat, qlon = self._apex2qd(alat, alon, height)\n return np.float64(qlat), np.float64(qlon)\n",
"role": "user"
},
{
"content": "apex2qd",
"role": "assistant"
}
] |
def x(self, qlat, qlon, height):
alat, alon = self._qd2apex(qlat, qlon, height)
return np.float64(alat), np.float64(alon)
| qd2apex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, qlat, qlon, height):\n alat, alon = self._qd2apex(qlat, qlon, height)\n return np.float64(alat), np.float64(alon)\n",
"role": "user"
},
{
"content": "qd2apex",
"role": "assistant"
}
] |
def x(self, mlon, datetime, ssheight=50 * 6371):
ssglat, ssglon = helpers.subsol(datetime)
ssalat, ssalon = self.geo2apex(ssglat, ssglon, ssheight)
return (180 + np.float64(mlon) - ssalon) / 15 % 24
| mlon2mlt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mlon, datetime, ssheight=50 * 6371):\n ssglat, ssglon = helpers.subsol(datetime)\n ssalat, ssalon = self.geo2apex(ssglat, ssglon, ssheight)\n return (180 + np.float64(mlon) - ssalon) / 15 % 24\n",
"role": "user"
},
{
"content": "mlon2mlt",
"role": "assistant"
}
] |
def x(self, mlt, datetime, ssheight=50 * 6371):
ssglat, ssglon = helpers.subsol(datetime)
ssalat, ssalon = self.geo2apex(ssglat, ssglon, ssheight)
return (15 * np.float64(mlt) - 180 + ssalon + 360) % 360
| mlt2mlon | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mlt, datetime, ssheight=50 * 6371):\n ssglat, ssglon = helpers.subsol(datetime)\n ssalat, ssalon = self.geo2apex(ssglat, ssglon, ssheight)\n return (15 * np.float64(mlt) - 180 + ssalon + 360) % 360\n",
"role": "user"
},
{
"content": "mlt2mlon",
"role": "assistant"
}
] |
def x(self, glat, glon, height, newheight, conjugate=False, precision=1e-10):
alat, alon = self.geo2apex(glat, glon, height)
if conjugate:
alat = -alat
try:
newglat, newglon, error = self.apex2geo(alat, alon, newheight,
precision=precision)
except ApexHeightError:
raise ApexHeightError('newheight is > apex height')
return newglat, newglon, error
| map_to_height | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, glat, glon, height, newheight, conjugate=False, precision=1e-10):\n alat, alon = self.geo2apex(glat, glon, height)\n if conjugate:\n alat = -alat\n try:\n newglat, newglon, error = self.apex2geo(alat, alon, newheight,\n precision=precision)\n except ApexHeightError:\n raise ApexHeightError('newheight is > apex height')\n return newglat, newglon, error\n",
"role": "user"
},
{
"content": "map_to_height",
"role": "assistant"
}
] |
def x(self, alat, alon, height, newheight, E):
return self._map_EV_to_height(alat, alon, height, newheight, E, 'E')
| map_E_to_height | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, alat, alon, height, newheight, E):\n return self._map_EV_to_height(alat, alon, height, newheight, E, 'E')\n",
"role": "user"
},
{
"content": "map_E_to_height",
"role": "assistant"
}
] |
def x(self, alat, alon, height, newheight, V):
return self._map_EV_to_height(alat, alon, height, newheight, V, 'V')
| map_V_to_height | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, alat, alon, height, newheight, V):\n return self._map_EV_to_height(alat, alon, height, newheight, V, 'V')\n",
"role": "user"
},
{
"content": "map_V_to_height",
"role": "assistant"
}
] |
def x(self, lat, lon, height, coords='geo', precision=1e-10):
glat, glon = self.convert(lat, lon, coords, 'geo', height=height,
precision=precision)
f1, f2 = self._basevec(glat, glon, height)
if f1.dtype == object:
f1 = np.vstack(f1).T
f2 = np.vstack(f2).T
return f1, f2
| basevectors_qd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lat, lon, height, coords='geo', precision=1e-10):\n glat, glon = self.convert(lat, lon, coords, 'geo', height=height,\n precision=precision)\n f1, f2 = self._basevec(glat, glon, height)\n if f1.dtype == object:\n f1 = np.vstack(f1).T\n f2 = np.vstack(f2).T\n return f1, f2\n",
"role": "user"
},
{
"content": "basevectors_qd",
"role": "assistant"
}
] |
def x(self, lat, lon, height, coords='geo', precision=1e-10):
glat, glon = self.convert(lat, lon, coords, 'geo', height=height,
precision=precision)
returnvals = self._geo2apexall(glat, glon, height)
qlat = np.float64(returnvals[0])
alat = np.float64(returnvals[2])
f1, f2 = returnvals[4:6]
d1, d2, d3 = returnvals[7:10]
e1, e2, e3 = returnvals[11:14]
if f1.dtype == object:
f1 = np.vstack(f1).T
f2 = np.vstack(f2).T
d1 = np.vstack(d1).T
d2 = np.vstack(d2).T
d3 = np.vstack(d3).T
e1 = np.vstack(e1).T
e2 = np.vstack(e2).T
e3 = np.vstack(e3).T
f1 = f1.reshape((2, f1.size // 2))
f2 = f2.reshape((2, f2.size // 2))
d1 = d1.reshape((3, d1.size // 3))
d2 = d2.reshape((3, d2.size // 3))
d3 = d3.reshape((3, d3.size // 3))
e1 = e1.reshape((3, e1.size // 3))
e2 = e2.reshape((3, e2.size // 3))
e3 = e3.reshape((3, e3.size // 3))
F1 = np.vstack((f1, np.zeros_like(f1[0])))
F2 = np.vstack((f2, np.zeros_like(f2[0])))
F = np.cross(F1.T, F2.T).T[-1]
cosI = helpers.getcosIm(alat)
k = np.array([0, 0, 1], dtype=np.float64).reshape((3, 1))
g1 = ((self.RE + np.float64(height)) / (self.RE + self.refh)) ** (3 / 2
) * d1 / F
g2 = -1.0 / (2.0 * F * np.tan(np.radians(qlat))) * (k + (self.RE + np.
float64(height)) / (self.RE + self.refh) * d2 / cosI)
g3 = k * F
f3 = np.cross(g1.T, g2.T).T
if np.any(alat == -9999):
warnings.warn(
'Base vectors g, d, e, and f3 set to -9999 where apex latitude is undefined (apex height may be < reference height)'
)
f3 = np.where(alat == -9999, -9999, f3)
g1 = np.where(alat == -9999, -9999, g1)
g2 = np.where(alat == -9999, -9999, g2)
g3 = np.where(alat == -9999, -9999, g3)
d1 = np.where(alat == -9999, -9999, d1)
d2 = np.where(alat == -9999, -9999, d2)
d3 = np.where(alat == -9999, -9999, d3)
e1 = np.where(alat == -9999, -9999, e1)
e2 = np.where(alat == -9999, -9999, e2)
e3 = np.where(alat == -9999, -9999, e3)
return tuple(np.squeeze(x) for x in [f1, f2, f3, g1, g2, g3, d1, d2, d3,
e1, e2, e3])
| basevectors_apex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lat, lon, height, coords='geo', precision=1e-10):\n glat, glon = self.convert(lat, lon, coords, 'geo', height=height,\n precision=precision)\n returnvals = self._geo2apexall(glat, glon, height)\n qlat = np.float64(returnvals[0])\n alat = np.float64(returnvals[2])\n f1, f2 = returnvals[4:6]\n d1, d2, d3 = returnvals[7:10]\n e1, e2, e3 = returnvals[11:14]\n if f1.dtype == object:\n f1 = np.vstack(f1).T\n f2 = np.vstack(f2).T\n d1 = np.vstack(d1).T\n d2 = np.vstack(d2).T\n d3 = np.vstack(d3).T\n e1 = np.vstack(e1).T\n e2 = np.vstack(e2).T\n e3 = np.vstack(e3).T\n f1 = f1.reshape((2, f1.size // 2))\n f2 = f2.reshape((2, f2.size // 2))\n d1 = d1.reshape((3, d1.size // 3))\n d2 = d2.reshape((3, d2.size // 3))\n d3 = d3.reshape((3, d3.size // 3))\n e1 = e1.reshape((3, e1.size // 3))\n e2 = e2.reshape((3, e2.size // 3))\n e3 = e3.reshape((3, e3.size // 3))\n F1 = np.vstack((f1, np.zeros_like(f1[0])))\n F2 = np.vstack((f2, np.zeros_like(f2[0])))\n F = np.cross(F1.T, F2.T).T[-1]\n cosI = helpers.getcosIm(alat)\n k = np.array([0, 0, 1], dtype=np.float64).reshape((3, 1))\n g1 = ((self.RE + np.float64(height)) / (self.RE + self.refh)) ** (3 / 2\n ) * d1 / F\n g2 = -1.0 / (2.0 * F * np.tan(np.radians(qlat))) * (k + (self.RE + np.\n float64(height)) / (self.RE + self.refh) * d2 / cosI)\n g3 = k * F\n f3 = np.cross(g1.T, g2.T).T\n if np.any(alat == -9999):\n warnings.warn(\n 'Base vectors g, d, e, and f3 set to -9999 where apex latitude is undefined (apex height may be < reference height)'\n )\n f3 = np.where(alat == -9999, -9999, f3)\n g1 = np.where(alat == -9999, -9999, g1)\n g2 = np.where(alat == -9999, -9999, g2)\n g3 = np.where(alat == -9999, -9999, g3)\n d1 = np.where(alat == -9999, -9999, d1)\n d2 = np.where(alat == -9999, -9999, d2)\n d3 = np.where(alat == -9999, -9999, d3)\n e1 = np.where(alat == -9999, -9999, e1)\n e2 = np.where(alat == -9999, -9999, e2)\n e3 = np.where(alat == -9999, -9999, e3)\n return tuple(np.squeeze(x) for x in [f1, f2, f3, g1, g2, g3, d1, d2, d3,\n e1, e2, e3])\n",
"role": "user"
},
{
"content": "basevectors_apex",
"role": "assistant"
}
] |
def x(self, lat, height=None):
lat = helpers.checklat(lat, name='alat')
if height is None:
height = self.refh
cos_lat_squared = np.cos(np.radians(lat)) ** 2
apex_height = (self.RE + height) / cos_lat_squared - self.RE
return apex_height
| get_apex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lat, height=None):\n lat = helpers.checklat(lat, name='alat')\n if height is None:\n height = self.refh\n cos_lat_squared = np.cos(np.radians(lat)) ** 2\n apex_height = (self.RE + height) / cos_lat_squared - self.RE\n return apex_height\n",
"role": "user"
},
{
"content": "get_apex",
"role": "assistant"
}
] |
def x(self, year):
fa.loadapxsh(self.datafile, np.float(year))
self.year = year
| set_epoch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, year):\n fa.loadapxsh(self.datafile, np.float(year))\n self.year = year\n",
"role": "user"
},
{
"content": "set_epoch",
"role": "assistant"
}
] |
def x(patterns, with_name=None):
def x(line):
output = None
highest_order = 0
highest_pattern_name = None
for pattern in patterns:
results = pattern.findall(line)
if results and any(results):
if pattern.order > highest_order:
output = results
highest_order = pattern.order
if with_name:
highest_pattern_name = pattern.name
if with_name:
return output, highest_pattern_name
return output
return parse
| basic_parser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(patterns, with_name=None):\n\n def x(line):\n output = None\n highest_order = 0\n highest_pattern_name = None\n for pattern in patterns:\n results = pattern.findall(line)\n if results and any(results):\n if pattern.order > highest_order:\n output = results\n highest_order = pattern.order\n if with_name:\n highest_pattern_name = pattern.name\n if with_name:\n return output, highest_pattern_name\n return output\n return parse\n",
"role": "user"
},
{
"content": "basic_parser",
"role": "assistant"
}
] |
def x(patterns):
from reparse.util import remove_lower_overlapping
get_first = lambda items: [i[0] for i in items]
get_second = lambda items: [i[1] for i in items]
def x(line):
output = []
for pattern in patterns:
results = pattern.scan(line)
if results and any(results):
output.append((pattern.order, results))
return get_first(reduce(remove_lower_overlapping, get_second(sorted
(output)), []))
return parse
| alt_parser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(patterns):\n from reparse.util import remove_lower_overlapping\n get_first = lambda items: [i[0] for i in items]\n get_second = lambda items: [i[1] for i in items]\n\n def x(line):\n output = []\n for pattern in patterns:\n results = pattern.scan(line)\n if results and any(results):\n output.append((pattern.order, results))\n return get_first(reduce(remove_lower_overlapping, get_second(sorted\n (output)), []))\n return parse\n",
"role": "user"
},
{
"content": "alt_parser",
"role": "assistant"
}
] |
def x(patterns):
def x():
for pattern in patterns:
yield pattern.build_full_tree(), pattern.regex
return list(output())
| build_tree_parser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(patterns):\n\n def x():\n for pattern in patterns:\n yield pattern.build_full_tree(), pattern.regex\n return list(output())\n",
"role": "user"
},
{
"content": "build_tree_parser",
"role": "assistant"
}
] |
def x(parser_type=basic_parser, functions=None, patterns=None, expressions=
None, patterns_yaml_path=None, expressions_yaml_path=None):
from reparse.builders import build_all
from reparse.validators import validate
def x(file_path):
import yaml
with open(file_path) as f:
return yaml.safe_load(f)
assert expressions or expressions_yaml_path, "Reparse can't build a parser without expressions"
assert patterns or patterns_yaml_path, "Reparse can't build a parser without patterns"
assert functions, "Reparse can't build without a functions"
if patterns_yaml_path:
patterns = _load_yaml(patterns_yaml_path)
if expressions_yaml_path:
expressions = _load_yaml(expressions_yaml_path)
validate(patterns, expressions)
return parser_type(build_all(patterns, expressions, functions))
| parser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parser_type=basic_parser, functions=None, patterns=None, expressions=\n None, patterns_yaml_path=None, expressions_yaml_path=None):\n from reparse.builders import build_all\n from reparse.validators import validate\n\n def x(file_path):\n import yaml\n with open(file_path) as f:\n return yaml.safe_load(f)\n assert expressions or expressions_yaml_path, \"Reparse can't build a parser without expressions\"\n assert patterns or patterns_yaml_path, \"Reparse can't build a parser without patterns\"\n assert functions, \"Reparse can't build without a functions\"\n if patterns_yaml_path:\n patterns = _load_yaml(patterns_yaml_path)\n if expressions_yaml_path:\n expressions = _load_yaml(expressions_yaml_path)\n validate(patterns, expressions)\n return parser_type(build_all(patterns, expressions, functions))\n",
"role": "user"
},
{
"content": "parser",
"role": "assistant"
}
] |
def x(self, input_filename, output_filename):
command = [self.translate_binary, '-f', 'GeoJSON', output_filename,
input_filename]
result = self._runcommand(command)
self.log('Result (Translate): ', result, lvl=debug)
| translate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, input_filename, output_filename):\n command = [self.translate_binary, '-f', 'GeoJSON', output_filename,\n input_filename]\n result = self._runcommand(command)\n self.log('Result (Translate): ', result, lvl=debug)\n",
"role": "user"
},
{
"content": "translate",
"role": "assistant"
}
] |
def x(self, guide, update=False, clear=True):
kml_filename = os.path.join(self.cache_path, guide + '.kml')
geojson_filename = os.path.join(self.cache_path, guide + '.geojson')
if not os.path.exists(geojson_filename) or update:
try:
data = request.urlopen(self.guides[guide]).read().decode('utf-8')
except (request.URLError, request.HTTPError) as e:
self.log('Could not get web guide data:', e, type(e), lvl=warn)
return
with open(kml_filename, 'w') as f:
f.write(data)
self._translate(kml_filename, geojson_filename)
with open(geojson_filename, 'r') as f:
json_data = json.loads(f.read())
if len(json_data['features']) == 0:
self.log('No features found!', lvl=warn)
return
layer = objectmodels['layer'].find_one({'name': guide})
if clear and layer is not None:
layer.delete()
layer = None
if layer is None:
layer_uuid = std_uuid()
layer = objectmodels['layer']({'uuid': layer_uuid, 'name': guide,
'type': 'geoobjects'})
layer.save()
else:
layer_uuid = layer.uuid
if clear:
for item in objectmodels['geoobject'].find({'layer': layer_uuid}):
self.log('Deleting old guide location', lvl=debug)
item.delete()
locations = []
for item in json_data['features']:
self.log('Adding new guide location:', item, lvl=verbose)
location = objectmodels['geoobject']({'uuid': std_uuid(), 'layer':
layer_uuid, 'geojson': item, 'type': 'Skipperguide', 'name':
'Guide for %s' % item['properties']['Name']})
locations.append(location)
self.log('Bulk inserting guide locations', lvl=debug)
objectmodels['geoobject'].bulk_create(locations)
| update_guide | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, guide, update=False, clear=True):\n kml_filename = os.path.join(self.cache_path, guide + '.kml')\n geojson_filename = os.path.join(self.cache_path, guide + '.geojson')\n if not os.path.exists(geojson_filename) or update:\n try:\n data = request.urlopen(self.guides[guide]).read().decode('utf-8')\n except (request.URLError, request.HTTPError) as e:\n self.log('Could not get web guide data:', e, type(e), lvl=warn)\n return\n with open(kml_filename, 'w') as f:\n f.write(data)\n self._translate(kml_filename, geojson_filename)\n with open(geojson_filename, 'r') as f:\n json_data = json.loads(f.read())\n if len(json_data['features']) == 0:\n self.log('No features found!', lvl=warn)\n return\n layer = objectmodels['layer'].find_one({'name': guide})\n if clear and layer is not None:\n layer.delete()\n layer = None\n if layer is None:\n layer_uuid = std_uuid()\n layer = objectmodels['layer']({'uuid': layer_uuid, 'name': guide,\n 'type': 'geoobjects'})\n layer.save()\n else:\n layer_uuid = layer.uuid\n if clear:\n for item in objectmodels['geoobject'].find({'layer': layer_uuid}):\n self.log('Deleting old guide location', lvl=debug)\n item.delete()\n locations = []\n for item in json_data['features']:\n self.log('Adding new guide location:', item, lvl=verbose)\n location = objectmodels['geoobject']({'uuid': std_uuid(), 'layer':\n layer_uuid, 'geojson': item, 'type': 'Skipperguide', 'name': \n 'Guide for %s' % item['properties']['Name']})\n locations.append(location)\n self.log('Bulk inserting guide locations', lvl=debug)\n objectmodels['geoobject'].bulk_create(locations)\n",
"role": "user"
},
{
"content": "update_guide",
"role": "assistant"
}
] |
def x(config, mail, event):
log = ''
try:
if config.get('ssl', True):
server = SMTP_SSL(config['server'], port=config['port'], timeout=30
)
else:
server = SMTP(config['server'], port=config['port'], timeout=30)
if config['tls']:
log += 'Starting TLS\n'
server.starttls()
if config['username'] != '':
log += 'Logging in with ' + str(config['username']) + '\n'
server.login(config['username'], config['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: ' + 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.get('ssl', True):\n server = SMTP_SSL(config['server'], port=config['port'], timeout=30\n )\n else:\n server = SMTP(config['server'], port=config['port'], timeout=30)\n if config['tls']:\n log += 'Starting TLS\\n'\n server.starttls()\n if config['username'] != '':\n log += 'Logging in with ' + str(config['username']) + '\\n'\n server.login(config['username'], config['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: ' + str(e) + '\\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):
mime_mail = MIMEText(event.text)
mime_mail['Subject'] = event.subject
if event.account == 'default':
account_name = self.config.default_account
else:
account_name = event.account
account = list(filter(lambda account: account['name'] == account_name,
self.config.accounts))[0]
mime_mail['From'] = render(account['mail_from'], {'server': account[
'server'], 'hostname': self.hostname})
mime_mail['To'] = event.to_address
self.log('MimeMail:', mime_mail, lvl=verbose)
if self.config.mail_send is True:
self.log('Sending mail to', event.to_address)
self.fireEvent(task(send_mail_worker, account, mime_mail, event),
'mail-transmit-workers')
else:
self.log('Not sending mail, here it is for debugging info:',
mime_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, event):\n mime_mail = MIMEText(event.text)\n mime_mail['Subject'] = event.subject\n if event.account == 'default':\n account_name = self.config.default_account\n else:\n account_name = event.account\n account = list(filter(lambda account: account['name'] == account_name,\n self.config.accounts))[0]\n mime_mail['From'] = render(account['mail_from'], {'server': account[\n 'server'], 'hostname': self.hostname})\n mime_mail['To'] = event.to_address\n self.log('MimeMail:', mime_mail, lvl=verbose)\n if self.config.mail_send is True:\n self.log('Sending mail to', event.to_address)\n self.fireEvent(task(send_mail_worker, account, mime_mail, event),\n 'mail-transmit-workers')\n else:\n self.log('Not sending mail, here it is for debugging info:',\n mime_mail, pretty=True)\n",
"role": "user"
},
{
"content": "send_mail",
"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
if overwrite is True:
hfoslog('Refusing to overwrite system user!', lvl=warn, emitter=
'PROVISIONS')
overwrite = False
system_user_count = objectmodels['user'].count({'name': 'System'})
if system_user_count == 0 or clear is False:
provisionList(Users, 'user', overwrite, clear, skip_user_check=True)
hfoslog('Provisioning: Users: Done.', emitter='PROVISIONS')
else:
hfoslog('System user already present.', lvl=warn, emitter='PROVISIONS')
| provision_system_user | [
{
"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 if overwrite is True:\n hfoslog('Refusing to overwrite system user!', lvl=warn, emitter=\n 'PROVISIONS')\n overwrite = False\n system_user_count = objectmodels['user'].count({'name': 'System'})\n if system_user_count == 0 or clear is False:\n provisionList(Users, 'user', overwrite, clear, skip_user_check=True)\n hfoslog('Provisioning: Users: Done.', emitter='PROVISIONS')\n else:\n hfoslog('System user already present.', lvl=warn, emitter='PROVISIONS')\n",
"role": "user"
},
{
"content": "provision_system_user",
"role": "assistant"
}
] |
def x(expressions, final_function, name=''):
inbetweens = ['|'] * (len(expressions) + 1)
inbetweens[0] = ''
inbetweens[-1] = ''
return Group(expressions, final_function, inbetweens, name)
| AlternatesGroup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expressions, final_function, name=''):\n inbetweens = ['|'] * (len(expressions) + 1)\n inbetweens[0] = ''\n inbetweens[-1] = ''\n return Group(expressions, final_function, inbetweens, name)\n",
"role": "user"
},
{
"content": "AlternatesGroup",
"role": "assistant"
}
] |
def x(expressions, final_function, inbetweens, name=''):
lengths = []
functions = []
regex = ''
i = 0
for expression in expressions:
regex += inbetweens[i]
regex += '(?:' + expression.regex + ')'
lengths.append(sum(expression.group_lengths))
functions.append(expression.run)
i += 1
regex += inbetweens[i]
return Expression(regex, functions, lengths, final_function, name)
| Group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expressions, final_function, inbetweens, name=''):\n lengths = []\n functions = []\n regex = ''\n i = 0\n for expression in expressions:\n regex += inbetweens[i]\n regex += '(?:' + expression.regex + ')'\n lengths.append(sum(expression.group_lengths))\n functions.append(expression.run)\n i += 1\n regex += inbetweens[i]\n return Expression(regex, functions, lengths, final_function, name)\n",
"role": "user"
},
{
"content": "Group",
"role": "assistant"
}
] |
def x(self, string):
output = []
for match in self.pattern.findall(string):
if hasattr(match, 'strip'):
match = [match]
self._list_add(output, self.run(match))
return output
| findall | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string):\n output = []\n for match in self.pattern.findall(string):\n if hasattr(match, 'strip'):\n match = [match]\n self._list_add(output, self.run(match))\n return output\n",
"role": "user"
},
{
"content": "findall",
"role": "assistant"
}
] |
def x(self, string):
return list(self._scanner_to_matches(self.pattern.scanner(string), self
.run))
| scan | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string):\n return list(self._scanner_to_matches(self.pattern.scanner(string), self\n .run))\n",
"role": "user"
},
{
"content": "scan",
"role": "assistant"
}
] |
def x(self, matches):
def x(matches):
group_starting_pos = 0
for current_pos, (group_length, group_function) in enumerate(zip(
self.group_lengths, self.group_functions)):
start_pos = current_pos + group_starting_pos
end_pos = current_pos + group_starting_pos + group_length
yield group_function(matches[start_pos:end_pos])
group_starting_pos += group_length - 1
return self.final_function(list(_run(matches)))
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, matches):\n\n def x(matches):\n group_starting_pos = 0\n for current_pos, (group_length, group_function) in enumerate(zip(\n self.group_lengths, self.group_functions)):\n start_pos = current_pos + group_starting_pos\n end_pos = current_pos + group_starting_pos + group_length\n yield group_function(matches[start_pos:end_pos])\n group_starting_pos += group_length - 1\n return self.final_function(list(_run(matches)))\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(path, instance):
global logfile
logfile = os.path.normpath(path) + '/hfos.' + instance + '.log'
| set_logfile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, instance):\n global logfile\n logfile = os.path.normpath(path) + '/hfos.' + instance + '.log'\n",
"role": "user"
},
{
"content": "set_logfile",
"role": "assistant"
}
] |
def x(what):
state = False
for item in solo:
if item not in what:
state = True
else:
state = False
break
for item in mute:
if item in what:
state = True
break
return state
| is_muted | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(what):\n state = False\n for item in solo:\n if item not in what:\n state = True\n else:\n state = False\n break\n for item in mute:\n if item in what:\n state = True\n break\n return state\n",
"role": "user"
},
{
"content": "is_muted",
"role": "assistant"
}
] |
def x(*what, **kwargs):
global count
global verbosity
count += 1
lvl = kwargs.get('lvl', info)
if lvl < verbosity['global']:
return
emitter = kwargs.get('emitter', 'UNKNOWN')
traceback = kwargs.get('tb', False)
frame_ref = kwargs.get('frame_ref', 0)
output = None
timestamp = time.time()
runtime = timestamp - start
callee = None
exception = kwargs.get('exc', False)
if exception:
exc_type, exc_obj, exc_tb = sys.exc_info()
if verbosity['global'] <= debug or traceback:
if 'sourceloc' not in kwargs:
frame = kwargs.get('frame', frame_ref)
current_frame = inspect.currentframe()
while frame > 0:
frame -= 1
current_frame = current_frame.f_back
func = current_frame.f_code
if exception:
line_no = exc_tb.tb_lineno
if lvl <= error:
lvl = error
else:
line_no = func.co_firstlineno
callee = '[%.10s@%s:%i]' % (func.co_name, func.co_filename, line_no
)
else:
callee = kwargs['sourceloc']
now = time.asctime()
msg = '[%s] : %5s : %.5f : %3i : [%5s]' % (now, lvldata[lvl][0],
runtime, count, emitter)
content = ''
if callee:
if not uncut and lvl > 10:
msg += '%-60s' % callee
else:
msg += '%s' % callee
for thing in what:
content += ' '
if kwargs.get('pretty', False):
content += pprint.pformat(thing)
else:
content += str(thing)
msg += content
if exception:
msg += '\n' + ''.join(format_exception(exc_type, exc_obj, exc_tb))
if is_muted(msg):
return
if not uncut and lvl > 10 and len(msg) > 1000:
msg = msg[:1000]
if lvl >= verbosity['file']:
try:
f = open(logfile, 'a')
f.write(msg + '\n')
f.flush()
f.close()
except IOError:
print("Can't open logfile %s for writing!" % logfile)
if is_marked(msg):
lvl = hilight
if lvl >= verbosity['console']:
output = str(msg)
if six.PY3 and color:
output = lvldata[lvl][1] + output + terminator
try:
print(output)
except UnicodeEncodeError as e:
print(output.encode('utf-8'))
hfoslog('Bad encoding encountered on previous message:', e, lvl
=error)
except BlockingIOError:
hfoslog('Too long log line encountered:', output[:20], lvl=warn)
if live:
item = [now, lvl, runtime, count, emitter, str(content)]
LiveLog.append(item)
| hfoslog | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*what, **kwargs):\n global count\n global verbosity\n count += 1\n lvl = kwargs.get('lvl', info)\n if lvl < verbosity['global']:\n return\n emitter = kwargs.get('emitter', 'UNKNOWN')\n traceback = kwargs.get('tb', False)\n frame_ref = kwargs.get('frame_ref', 0)\n output = None\n timestamp = time.time()\n runtime = timestamp - start\n callee = None\n exception = kwargs.get('exc', False)\n if exception:\n exc_type, exc_obj, exc_tb = sys.exc_info()\n if verbosity['global'] <= debug or traceback:\n if 'sourceloc' not in kwargs:\n frame = kwargs.get('frame', frame_ref)\n current_frame = inspect.currentframe()\n while frame > 0:\n frame -= 1\n current_frame = current_frame.f_back\n func = current_frame.f_code\n if exception:\n line_no = exc_tb.tb_lineno\n if lvl <= error:\n lvl = error\n else:\n line_no = func.co_firstlineno\n callee = '[%.10s@%s:%i]' % (func.co_name, func.co_filename, line_no\n )\n else:\n callee = kwargs['sourceloc']\n now = time.asctime()\n msg = '[%s] : %5s : %.5f : %3i : [%5s]' % (now, lvldata[lvl][0],\n runtime, count, emitter)\n content = ''\n if callee:\n if not uncut and lvl > 10:\n msg += '%-60s' % callee\n else:\n msg += '%s' % callee\n for thing in what:\n content += ' '\n if kwargs.get('pretty', False):\n content += pprint.pformat(thing)\n else:\n content += str(thing)\n msg += content\n if exception:\n msg += '\\n' + ''.join(format_exception(exc_type, exc_obj, exc_tb))\n if is_muted(msg):\n return\n if not uncut and lvl > 10 and len(msg) > 1000:\n msg = msg[:1000]\n if lvl >= verbosity['file']:\n try:\n f = open(logfile, 'a')\n f.write(msg + '\\n')\n f.flush()\n f.close()\n except IOError:\n print(\"Can't open logfile %s for writing!\" % logfile)\n if is_marked(msg):\n lvl = hilight\n if lvl >= verbosity['console']:\n output = str(msg)\n if six.PY3 and color:\n output = lvldata[lvl][1] + output + terminator\n try:\n print(output)\n except UnicodeEncodeError as e:\n print(output.encode('utf-8'))\n hfoslog('Bad encoding encountered on previous message:', e, lvl\n =error)\n except BlockingIOError:\n hfoslog('Too long log line encountered:', output[:20], lvl=warn)\n if live:\n item = [now, lvl, runtime, count, emitter, str(content)]\n LiveLog.append(item)\n",
"role": "user"
},
{
"content": "hfoslog",
"role": "assistant"
}
] |
def x(self, event):
self.log('Tagged objects request for', event.data, 'from', event.user,
lvl=debug)
if event.data in self.tags:
tagged = self._get_tagged(event.data)
response = {'component': 'hfos.events.schemamanager', 'action':
'get', 'data': tagged}
self.fireEvent(send(event.client.uuid, response))
else:
self.log('Unavailable schema requested!', lvl=warn)
| get_tagged | [
{
"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('Tagged objects request for', event.data, 'from', event.user,\n lvl=debug)\n if event.data in self.tags:\n tagged = self._get_tagged(event.data)\n response = {'component': 'hfos.events.schemamanager', 'action':\n 'get', 'data': tagged}\n self.fireEvent(send(event.client.uuid, response))\n else:\n self.log('Unavailable schema requested!', lvl=warn)\n",
"role": "user"
},
{
"content": "get_tagged",
"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
vessel = objectmodels['vessel'].find_one({'name': 'Default System Vessel'})
if vessel is not None:
if overwrite is False:
hfoslog('Default vessel already existing. Skipping provisions.')
return
else:
vessel.delete()
provisionList([SystemVessel], 'vessel', overwrite, clear, skip_user_check)
sysconfig = objectmodels['systemconfig'].find_one({'active': True})
hfoslog('Adapting system config for default vessel:', sysconfig)
sysconfig.vesseluuid = SystemVessel['uuid']
sysconfig.save()
hfoslog('Provisioning: Vessel: Done.', emitter='PROVISIONS')
| provision_system_vessel | [
{
"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 vessel = objectmodels['vessel'].find_one({'name': 'Default System Vessel'})\n if vessel is not None:\n if overwrite is False:\n hfoslog('Default vessel already existing. Skipping provisions.')\n return\n else:\n vessel.delete()\n provisionList([SystemVessel], 'vessel', overwrite, clear, skip_user_check)\n sysconfig = objectmodels['systemconfig'].find_one({'active': True})\n hfoslog('Adapting system config for default vessel:', sysconfig)\n sysconfig.vesseluuid = SystemVessel['uuid']\n sysconfig.save()\n hfoslog('Provisioning: Vessel: Done.', emitter='PROVISIONS')\n",
"role": "user"
},
{
"content": "provision_system_vessel",
"role": "assistant"
}
] |
def x(url):
log = ''
connection = None
try:
if six.PY3:
connection = urlopen(url=url, timeout=2)
else:
connection = urlopen(url=url)
except Exception as e:
log += 'MTST: ERROR Tilegetter error: %s ' % str([type(e), e, url])
content = ''
if connection:
try:
content = connection.read()
except (socket.timeout, socket.error) as e:
log += 'MTST: ERROR Tilegetter error: %s ' % str([type(e), e])
connection.close()
else:
log += 'MTST: ERROR Got no connection.'
return content, log
| get_tile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n log = ''\n connection = None\n try:\n if six.PY3:\n connection = urlopen(url=url, timeout=2)\n else:\n connection = urlopen(url=url)\n except Exception as e:\n log += 'MTST: ERROR Tilegetter error: %s ' % str([type(e), e, url])\n content = ''\n if connection:\n try:\n content = connection.read()\n except (socket.timeout, socket.error) as e:\n log += 'MTST: ERROR Tilegetter error: %s ' % str([type(e), e])\n connection.close()\n else:\n log += 'MTST: ERROR Got no connection.'\n return content, log\n",
"role": "user"
},
{
"content": "get_tile",
"role": "assistant"
}
] |
def x(self, event, *args, **kwargs):
request, response = event.args[:2]
self.log(request.path, lvl=verbose)
try:
filename, url = self._split_cache_url(request.path, 'tilecache')
except UrlError:
return
if os.path.isfile(filename):
self.log('Tile exists in cache', lvl=verbose)
response.cookie.clear()
try:
yield serve_file(request, response, filename)
finally:
event.stop()
else:
self.log('Tile not cached yet. Tile data: ', filename, url, lvl=verbose
)
if url in self._tiles:
self.log('Getting a tile for the second time?!', lvl=error)
else:
self._tiles += url
try:
tile, log = yield self.call(task(get_tile, url), 'tcworkers')
if log:
self.log('Thread error: ', log, lvl=error)
except Exception as e:
self.log('[MTS]', e, type(e))
tile = None
tile_path = os.path.dirname(filename)
if tile:
try:
os.makedirs(tile_path)
except OSError as e:
if e.errno != errno.EEXIST:
self.log("Couldn't create path: %s (%s)" % (e, type(e)),
lvl=error)
self.log('Caching tile.', lvl=verbose)
try:
with open(filename, 'wb') as tile_file:
try:
tile_file.write(bytes(tile))
except Exception as e:
self.log('Writing error: %s' % str([type(e), e]),
lvl=error)
except Exception as e:
self.log('Open error on %s - %s' % (filename, str([type(e),
e])), lvl=error)
return
finally:
event.stop()
try:
self.log('Delivering tile.', lvl=verbose)
yield serve_file(request, response, filename)
except Exception as e:
self.log("Couldn't deliver tile: ", e, lvl=error)
event.stop()
self.log('Tile stored and delivered.', lvl=verbose)
else:
self.log('Got no tile, serving default tile: %s' % url)
if self.default_tile:
try:
yield serve_file(request, response, self.default_tile)
except Exception as e:
self.log('Cannot deliver default tile:', e, type(e),
exc=True, lvl=error)
finally:
event.stop()
else:
yield
| tilecache | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event, *args, **kwargs):\n request, response = event.args[:2]\n self.log(request.path, lvl=verbose)\n try:\n filename, url = self._split_cache_url(request.path, 'tilecache')\n except UrlError:\n return\n if os.path.isfile(filename):\n self.log('Tile exists in cache', lvl=verbose)\n response.cookie.clear()\n try:\n yield serve_file(request, response, filename)\n finally:\n event.stop()\n else:\n self.log('Tile not cached yet. Tile data: ', filename, url, lvl=verbose\n )\n if url in self._tiles:\n self.log('Getting a tile for the second time?!', lvl=error)\n else:\n self._tiles += url\n try:\n tile, log = yield self.call(task(get_tile, url), 'tcworkers')\n if log:\n self.log('Thread error: ', log, lvl=error)\n except Exception as e:\n self.log('[MTS]', e, type(e))\n tile = None\n tile_path = os.path.dirname(filename)\n if tile:\n try:\n os.makedirs(tile_path)\n except OSError as e:\n if e.errno != errno.EEXIST:\n self.log(\"Couldn't create path: %s (%s)\" % (e, type(e)),\n lvl=error)\n self.log('Caching tile.', lvl=verbose)\n try:\n with open(filename, 'wb') as tile_file:\n try:\n tile_file.write(bytes(tile))\n except Exception as e:\n self.log('Writing error: %s' % str([type(e), e]),\n lvl=error)\n except Exception as e:\n self.log('Open error on %s - %s' % (filename, str([type(e),\n e])), lvl=error)\n return\n finally:\n event.stop()\n try:\n self.log('Delivering tile.', lvl=verbose)\n yield serve_file(request, response, filename)\n except Exception as e:\n self.log(\"Couldn't deliver tile: \", e, lvl=error)\n event.stop()\n self.log('Tile stored and delivered.', lvl=verbose)\n else:\n self.log('Got no tile, serving default tile: %s' % url)\n if self.default_tile:\n try:\n yield serve_file(request, response, self.default_tile)\n except Exception as e:\n self.log('Cannot deliver default tile:', e, type(e),\n exc=True, lvl=error)\n finally:\n event.stop()\n else:\n yield\n",
"role": "user"
},
{
"content": "tilecache",
"role": "assistant"
}
] |
def x(origin):
try:
return float(origin)
except ValueError:
pass
m = dms_re.search(origin)
if m:
degrees = int(m.group('degrees'))
minutes = float(m.group('minutes'))
seconds = float(m.group('seconds'))
return degrees + minutes / 60 + seconds / 3600
m = mindec_re.search(origin)
if m:
degrees = int(m.group('degrees'))
minutes = float(m.group('minutes'))
return degrees + minutes / 60
| todegdec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(origin):\n try:\n return float(origin)\n except ValueError:\n pass\n m = dms_re.search(origin)\n if m:\n degrees = int(m.group('degrees'))\n minutes = float(m.group('minutes'))\n seconds = float(m.group('seconds'))\n return degrees + minutes / 60 + seconds / 3600\n m = mindec_re.search(origin)\n if m:\n degrees = int(m.group('degrees'))\n minutes = float(m.group('minutes'))\n return degrees + minutes / 60\n",
"role": "user"
},
{
"content": "todegdec",
"role": "assistant"
}
] |
def x(origin):
origin = float(origin)
degrees = int(origin)
minutes = origin % 1 * 60
return degrees, minutes
| tomindec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(origin):\n origin = float(origin)\n degrees = int(origin)\n minutes = origin % 1 * 60\n return degrees, minutes\n",
"role": "user"
},
{
"content": "tomindec",
"role": "assistant"
}
] |
def x(origin):
degrees, minutes = tomindec(origin)
return u"%d°%f'" % (degrees, minutes)
| tomindecstr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(origin):\n degrees, minutes = tomindec(origin)\n return u\"%d°%f'\" % (degrees, minutes)\n",
"role": "user"
},
{
"content": "tomindecstr",
"role": "assistant"
}
] |
def x(origin):
degrees, minutes = tomindec(origin)
seconds = minutes % 1 * 60
return degrees, int(minutes), seconds
| todms | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(origin):\n degrees, minutes = tomindec(origin)\n seconds = minutes % 1 * 60\n return degrees, int(minutes), seconds\n",
"role": "user"
},
{
"content": "todms",
"role": "assistant"
}
] |
def x(origin):
degrees, minutes, seconds = todms(origin)
return u'%d°%d\'%f"' % (degrees, minutes, seconds)
| todmsstr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(origin):\n degrees, minutes, seconds = todms(origin)\n return u'%d°%d\\'%f\"' % (degrees, minutes, seconds)\n",
"role": "user"
},
{
"content": "todmsstr",
"role": "assistant"
}
] |
def x(E, N, pkm=False, presentation=None):
_lng0 = lng0pkm if pkm else lng0
E /= 1000.0
N /= 1000.0
epsilon = (N - N0) / (k0 * A)
eta = (E - E0) / (k0 * A)
epsilonp = epsilon - beta1 * sin(2 * 1 * epsilon) * cosh(2 * 1 * eta
) - beta2 * sin(2 * 2 * epsilon) * cosh(2 * 2 * eta) - beta3 * sin(
2 * 3 * epsilon) * cosh(2 * 3 * eta)
etap = eta - beta1 * cos(2 * 1 * epsilon) * sinh(2 * 1 * eta
) - beta2 * cos(2 * 2 * epsilon) * sinh(2 * 2 * eta) - beta3 * cos(
2 * 3 * epsilon) * sinh(2 * 3 * eta)
sigmap = 1 - 2 * 1 * beta1 * cos(2 * 1 * epsilon) * cosh(2 * 1 * eta
) - 2 * 2 * beta2 * cos(2 * 2 * epsilon) * cosh(2 * 2 * eta
) - 2 * 3 * beta3 * cos(2 * 3 * epsilon) * cosh(2 * 3 * eta)
taup = 2 * 1 * beta1 * sin(2 * 1 * epsilon) * sinh(2 * 1 * eta
) + 2 * 2 * beta2 * sin(2 * 2 * epsilon) * sinh(2 * 2 * eta
) + 2 * 3 * beta3 * sin(2 * 3 * epsilon) * sinh(2 * 3 * eta)
chi = asin(sin(epsilonp) / cosh(etap))
latitude = chi + delta1 * sin(2 * 1 * chi) + delta2 * sin(2 * 2 * chi
) + delta3 * sin(2 * 3 * chi)
longitude = _lng0 + atan(sinh(etap) / cos(epsilonp))
func = None
presentation = 'to%s' % presentation if presentation else None
if presentation in presentations:
func = getattr(sys.modules[__name__], presentation)
if func and func != 'todegdec':
return func(degrees(latitude)), func(degrees(longitude))
return degrees(latitude), degrees(longitude)
| towgs84 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(E, N, pkm=False, presentation=None):\n _lng0 = lng0pkm if pkm else lng0\n E /= 1000.0\n N /= 1000.0\n epsilon = (N - N0) / (k0 * A)\n eta = (E - E0) / (k0 * A)\n epsilonp = epsilon - beta1 * sin(2 * 1 * epsilon) * cosh(2 * 1 * eta\n ) - beta2 * sin(2 * 2 * epsilon) * cosh(2 * 2 * eta) - beta3 * sin(\n 2 * 3 * epsilon) * cosh(2 * 3 * eta)\n etap = eta - beta1 * cos(2 * 1 * epsilon) * sinh(2 * 1 * eta\n ) - beta2 * cos(2 * 2 * epsilon) * sinh(2 * 2 * eta) - beta3 * cos(\n 2 * 3 * epsilon) * sinh(2 * 3 * eta)\n sigmap = 1 - 2 * 1 * beta1 * cos(2 * 1 * epsilon) * cosh(2 * 1 * eta\n ) - 2 * 2 * beta2 * cos(2 * 2 * epsilon) * cosh(2 * 2 * eta\n ) - 2 * 3 * beta3 * cos(2 * 3 * epsilon) * cosh(2 * 3 * eta)\n taup = 2 * 1 * beta1 * sin(2 * 1 * epsilon) * sinh(2 * 1 * eta\n ) + 2 * 2 * beta2 * sin(2 * 2 * epsilon) * sinh(2 * 2 * eta\n ) + 2 * 3 * beta3 * sin(2 * 3 * epsilon) * sinh(2 * 3 * eta)\n chi = asin(sin(epsilonp) / cosh(etap))\n latitude = chi + delta1 * sin(2 * 1 * chi) + delta2 * sin(2 * 2 * chi\n ) + delta3 * sin(2 * 3 * chi)\n longitude = _lng0 + atan(sinh(etap) / cos(epsilonp))\n func = None\n presentation = 'to%s' % presentation if presentation else None\n if presentation in presentations:\n func = getattr(sys.modules[__name__], presentation)\n if func and func != 'todegdec':\n return func(degrees(latitude)), func(degrees(longitude))\n return degrees(latitude), degrees(longitude)\n",
"role": "user"
},
{
"content": "towgs84",
"role": "assistant"
}
] |
def x(lat, lng, pkm=False):
_lng0 = lng0pkm if pkm else lng0
lat = radians(todegdec(lat))
lng = radians(todegdec(lng))
t = sinh(atanh(sin(lat)) - 2 * pow(n, 0.5) / (1 + n) * atanh(2 * pow(n,
0.5) / (1 + n) * sin(lat)))
epsilonp = atan(t / cos(lng - _lng0))
etap = atan(sin(lng - _lng0) / pow(1 + t * t, 0.5))
E = E0 + k0 * A * (etap + alpha1 * cos(2 * 1 * epsilonp) * sinh(2 * 1 *
etap) + alpha2 * cos(2 * 2 * epsilonp) * sinh(2 * 2 * etap) +
alpha3 * cos(2 * 3 * epsilonp) * sinh(2 * 3 * etap))
N = N0 + k0 * A * (epsilonp + alpha1 * sin(2 * 1 * epsilonp) * cosh(2 *
1 * etap) + alpha2 * sin(2 * 2 * epsilonp) * cosh(2 * 2 * etap) +
alpha3 * sin(2 * 3 * epsilonp) * cosh(2 * 3 * etap))
return E * 1000, N * 1000
| fromwgs84 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lat, lng, pkm=False):\n _lng0 = lng0pkm if pkm else lng0\n lat = radians(todegdec(lat))\n lng = radians(todegdec(lng))\n t = sinh(atanh(sin(lat)) - 2 * pow(n, 0.5) / (1 + n) * atanh(2 * pow(n,\n 0.5) / (1 + n) * sin(lat)))\n epsilonp = atan(t / cos(lng - _lng0))\n etap = atan(sin(lng - _lng0) / pow(1 + t * t, 0.5))\n E = E0 + k0 * A * (etap + alpha1 * cos(2 * 1 * epsilonp) * sinh(2 * 1 *\n etap) + alpha2 * cos(2 * 2 * epsilonp) * sinh(2 * 2 * etap) + \n alpha3 * cos(2 * 3 * epsilonp) * sinh(2 * 3 * etap))\n N = N0 + k0 * A * (epsilonp + alpha1 * sin(2 * 1 * epsilonp) * cosh(2 *\n 1 * etap) + alpha2 * sin(2 * 2 * epsilonp) * cosh(2 * 2 * etap) + \n alpha3 * sin(2 * 3 * epsilonp) * cosh(2 * 3 * etap))\n return E * 1000, N * 1000\n",
"role": "user"
},
{
"content": "fromwgs84",
"role": "assistant"
}
] |
def x(self, value, minValue, maxValue):
return min(max(value, minValue), maxValue)
| clipValue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, minValue, maxValue):\n return min(max(value, minValue), maxValue)\n",
"role": "user"
},
{
"content": "clipValue",
"role": "assistant"
}
] |
def x(self, latitude, level):
latitude = self.clipValue(latitude, self.min_lat, self.max_lat)
mapSize = self.getMapDimensionsByZoomLevel(level)
return math.cos(latitude * math.pi / 180
) * 2 * math.pi * self.earth_radius / mapSize
| getGroundResolution | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, latitude, level):\n latitude = self.clipValue(latitude, self.min_lat, self.max_lat)\n mapSize = self.getMapDimensionsByZoomLevel(level)\n return math.cos(latitude * math.pi / 180\n ) * 2 * math.pi * self.earth_radius / mapSize\n",
"role": "user"
},
{
"content": "getGroundResolution",
"role": "assistant"
}
] |
def x(self, latitude, level, dpi=96):
dpm = dpi / 0.0254
return self.getGroundResolution(latitude, level) * dpm
| getMapScale | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, latitude, level, dpi=96):\n dpm = dpi / 0.0254\n return self.getGroundResolution(latitude, level) * dpm\n",
"role": "user"
},
{
"content": "getMapScale",
"role": "assistant"
}
] |
def x(self, lat, lng, level):
mapSize = self.getMapDimensionsByZoomLevel(level)
lat = self.clipValue(lat, self.min_lat, self.max_lat)
lng = self.clipValue(lng, self.min_lng, self.max_lng)
x = (lng + 180) / 360
sinlat = math.sin(lat * math.pi / 180)
y = 0.5 - math.log((1 + sinlat) / (1 - sinlat)) / (4 * math.pi)
pixelX = int(self.clipValue(x * mapSize + 0.5, 0, mapSize - 1))
pixelY = int(self.clipValue(y * mapSize + 0.5, 0, mapSize - 1))
return pixelX, pixelY
| convertLatLngToPixelXY | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lat, lng, level):\n mapSize = self.getMapDimensionsByZoomLevel(level)\n lat = self.clipValue(lat, self.min_lat, self.max_lat)\n lng = self.clipValue(lng, self.min_lng, self.max_lng)\n x = (lng + 180) / 360\n sinlat = math.sin(lat * math.pi / 180)\n y = 0.5 - math.log((1 + sinlat) / (1 - sinlat)) / (4 * math.pi)\n pixelX = int(self.clipValue(x * mapSize + 0.5, 0, mapSize - 1))\n pixelY = int(self.clipValue(y * mapSize + 0.5, 0, mapSize - 1))\n return pixelX, pixelY\n",
"role": "user"
},
{
"content": "convertLatLngToPixelXY",
"role": "assistant"
}
] |
def x(self, pixelX, pixelY, level):
mapSize = self.getMapDimensionsByZoomLevel(level)
x = self.clipValue(pixelX, 0, mapSize - 1) / mapSize - 0.5
y = 0.5 - self.clipValue(pixelY, 0, mapSize - 1) / mapSize
lat = 90 - 360 * math.atan(math.exp(-y * 2 * math.pi)) / math.pi
lng = 360 * x
return lng, lat
| convertPixelXYToLngLat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pixelX, pixelY, level):\n mapSize = self.getMapDimensionsByZoomLevel(level)\n x = self.clipValue(pixelX, 0, mapSize - 1) / mapSize - 0.5\n y = 0.5 - self.clipValue(pixelY, 0, mapSize - 1) / mapSize\n lat = 90 - 360 * math.atan(math.exp(-y * 2 * math.pi)) / math.pi\n lng = 360 * x\n return lng, lat\n",
"role": "user"
},
{
"content": "convertPixelXYToLngLat",
"role": "assistant"
}
] |
def x(self, x, y, z):
quadKey = ''
for i in range(z, 0, -1):
digit = 0
mask = 1 << i - 1
if x & mask != 0:
digit += 1
if y & mask != 0:
digit += 2
quadKey += str(digit)
return quadKey
| tileXYZToQuadKey | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x, y, z):\n quadKey = ''\n for i in range(z, 0, -1):\n digit = 0\n mask = 1 << i - 1\n if x & mask != 0:\n digit += 1\n if y & mask != 0:\n digit += 2\n quadKey += str(digit)\n return quadKey\n",
"role": "user"
},
{
"content": "tileXYZToQuadKey",
"role": "assistant"
}
] |
def x(self, quadKey):
tileX = 0
tileY = 0
tileZ = len(quadKey)
for i in range(tileZ, 0, -1):
mask = 1 << i - 1
value = quadKey[tileZ - i]
if value == '0':
continue
elif value == '1':
tileX |= mask
elif value == '2':
tileY |= mask
elif value == '3':
tileX |= mask
tileY |= mask
else:
raise Exception('Invalid QuadKey')
return tileX, tileY, tileZ
| quadKeyToTileXYZ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quadKey):\n tileX = 0\n tileY = 0\n tileZ = len(quadKey)\n for i in range(tileZ, 0, -1):\n mask = 1 << i - 1\n value = quadKey[tileZ - i]\n if value == '0':\n continue\n elif value == '1':\n tileX |= mask\n elif value == '2':\n tileY |= mask\n elif value == '3':\n tileX |= mask\n tileY |= mask\n else:\n raise Exception('Invalid QuadKey')\n return tileX, tileY, tileZ\n",
"role": "user"
},
{
"content": "quadKeyToTileXYZ",
"role": "assistant"
}
] |
def x(self, tileX, tileY, level):
pixelX, pixelY = self.convertTileXYToPixelXY(tileX, tileY)
lng, lat = self.convertPixelXYToLngLat(pixelX, pixelY, level)
return lat, lng
| getTileOrigin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tileX, tileY, level):\n pixelX, pixelY = self.convertTileXYToPixelXY(tileX, tileY)\n lng, lat = self.convertPixelXYToLngLat(pixelX, pixelY, level)\n return lat, lng\n",
"role": "user"
},
{
"content": "getTileOrigin",
"role": "assistant"
}
] |
def x(self, xmin, ymin, xmax, ymax, level):
tileXMin, tileYMin = self.tileUtils.convertLngLatToTileXY(xmin, ymax, level
)
tileXMax, tileYMax = self.tileUtils.convertLngLatToTileXY(xmax, ymin, level
)
tileUrls = []
for y in range(tileYMax, tileYMin - 1, -1):
for x in range(tileXMin, tileXMax + 1, 1):
tileUrls.append(self.createTileUrl(x, y, level))
return tileUrls
| getTileUrlsByLatLngExtent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, xmin, ymin, xmax, ymax, level):\n tileXMin, tileYMin = self.tileUtils.convertLngLatToTileXY(xmin, ymax, level\n )\n tileXMax, tileYMax = self.tileUtils.convertLngLatToTileXY(xmax, ymin, level\n )\n tileUrls = []\n for y in range(tileYMax, tileYMin - 1, -1):\n for x in range(tileXMin, tileXMax + 1, 1):\n tileUrls.append(self.createTileUrl(x, y, level))\n return tileUrls\n",
"role": "user"
},
{
"content": "getTileUrlsByLatLngExtent",
"role": "assistant"
}
] |
def x(self, x, y, z):
return self.tileTemplate.replace('{{x}}', str(x)).replace('{{y}}', str(y)
).replace('{{z}}', str(z))
| createTileUrl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x, y, z):\n return self.tileTemplate.replace('{{x}}', str(x)).replace('{{y}}', str(y)\n ).replace('{{z}}', str(z))\n",
"role": "user"
},
{
"content": "createTileUrl",
"role": "assistant"
}
] |
def x(self, event):
self.log('Got a reference frame update! ', event, lvl=events)
self.reference_frame = event.data
| referenceframe | [
{
"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('Got a reference frame update! ', event, lvl=events)\n self.reference_frame = event.data\n",
"role": "user"
},
{
"content": "referenceframe",
"role": "assistant"
}
] |
def x(self, event):
client_uuid = event.clientuuid
self.log(event.user, pretty=True, lvl=verbose)
self.log('Adding client')
self.clients[event.clientuuid] = event.user
for topic, alert in self.alerts.items():
self.alert(client_uuid, alert)
| 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 client_uuid = event.clientuuid\n self.log(event.user, pretty=True, lvl=verbose)\n self.log('Adding client')\n self.clients[event.clientuuid] = event.user\n for topic, alert in self.alerts.items():\n self.alert(client_uuid, alert)\n",
"role": "user"
},
{
"content": "userlogin",
"role": "assistant"
}
] |
def x(self, event):
topic = event.data.get('topic', None)
if topic is None:
self.log('No alert topic to trigger', lvl=warn)
return
alert = {'topic': topic, 'message': event.data.get('msg',
'Alert has been triggered'), 'role': event.data.get('role', 'all')}
self._trigger(event, alert)
| trigger | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n topic = event.data.get('topic', None)\n if topic is None:\n self.log('No alert topic to trigger', lvl=warn)\n return\n alert = {'topic': topic, 'message': event.data.get('msg',\n 'Alert has been triggered'), 'role': event.data.get('role', 'all')}\n self._trigger(event, alert)\n",
"role": "user"
},
{
"content": "trigger",
"role": "assistant"
}
] |
def x(self, event):
topic = event.data.get('topic', None)
if topic is None:
self.log('No alert topic to cancel', lvl=warn)
return
self._cancel(topic)
| cancel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n topic = event.data.get('topic', None)\n if topic is None:\n self.log('No alert topic to cancel', lvl=warn)\n return\n self._cancel(topic)\n",
"role": "user"
},
{
"content": "cancel",
"role": "assistant"
}
] |
def x(ctx, instance, quiet, verbose, log_level, dbhost, dbname):
ctx.obj['instance'] = instance
if dbname == db_default and instance != 'default':
dbname = instance
ctx.obj['quiet'] = quiet
ctx.obj['verbose'] = verbose
verbosity['console'] = log_level
verbosity['global'] = log_level
ctx.obj['dbhost'] = dbhost
ctx.obj['dbname'] = dbname
| cli | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, instance, quiet, verbose, log_level, dbhost, dbname):\n ctx.obj['instance'] = instance\n if dbname == db_default and instance != 'default':\n dbname = instance\n ctx.obj['quiet'] = quiet\n ctx.obj['verbose'] = verbose\n verbosity['console'] = log_level\n verbosity['global'] = log_level\n ctx.obj['dbhost'] = dbhost\n ctx.obj['dbname'] = dbname\n",
"role": "user"
},
{
"content": "cli",
"role": "assistant"
}
] |
def x():
from datetime import datetime
beg_time = datetime.now()
args, sub_clargs = load_command_line_args()
if args is None:
return
log = load_log(args)
if args.command == 'setup':
setup_user_config(log)
return
if not os.path.isfile(_CONFIG_PATH):
raise RuntimeError(
"'{}' does not exist. Run `astrocats setup` to configure.".
format(_CONFIG_PATH))
git_vers = get_git()
title_str = 'Astrocats, version: {}, SHA: {}'.format(__version__, git_vers)
log.warning('\n\n{}\n{}\n{}\n'.format(title_str, '=' * len(title_str),
beg_time.ctime()))
args = load_user_config(args, log)
mod_name = args.command
log.debug("Importing specified module: '{}'".format(mod_name))
try:
mod = importlib.import_module('.' + mod_name, package='astrocats')
except Exception as err:
log.error("Import of specified module '{}' failed.".format(mod_name))
log_raise(log, str(err), type(err))
log.debug('Running `main.main()`')
mod.main.main(args, sub_clargs, log)
end_time = datetime.now()
log.warning('\nAll complete at {}, After {}'.format(end_time, end_time -
beg_time))
return
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n from datetime import datetime\n beg_time = datetime.now()\n args, sub_clargs = load_command_line_args()\n if args is None:\n return\n log = load_log(args)\n if args.command == 'setup':\n setup_user_config(log)\n return\n if not os.path.isfile(_CONFIG_PATH):\n raise RuntimeError(\n \"'{}' does not exist. Run `astrocats setup` to configure.\".\n format(_CONFIG_PATH))\n git_vers = get_git()\n title_str = 'Astrocats, version: {}, SHA: {}'.format(__version__, git_vers)\n log.warning('\\n\\n{}\\n{}\\n{}\\n'.format(title_str, '=' * len(title_str),\n beg_time.ctime()))\n args = load_user_config(args, log)\n mod_name = args.command\n log.debug(\"Importing specified module: '{}'\".format(mod_name))\n try:\n mod = importlib.import_module('.' + mod_name, package='astrocats')\n except Exception as err:\n log.error(\"Import of specified module '{}' failed.\".format(mod_name))\n log_raise(log, str(err), type(err))\n log.debug('Running `main.main()`')\n mod.main.main(args, sub_clargs, log)\n end_time = datetime.now()\n log.warning('\\nAll complete at {}, After {}'.format(end_time, end_time -\n beg_time))\n return\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(log):
log.warning('AstroCats Setup')
log.warning("Configure filepath: '{}'".format(_CONFIG_PATH))
config_path_dir = os.path.split(_CONFIG_PATH)[0]
if not os.path.exists(config_path_dir):
log.debug("Creating config directory '{}'".format(config_path_dir))
os.makedirs(config_path_dir)
if not os.path.isdir(config_path_dir):
log_raise(log, "Configure path error '{}'".format(config_path_dir))
def_base_path = os.path.abspath(os.path.dirname(os.path.abspath(__file__)))
log.warning("Setting '{}' to default path: '{}'".format(_BASE_PATH_KEY,
def_base_path))
config = {_BASE_PATH_KEY: def_base_path}
json.dump(config, open(_CONFIG_PATH, 'w'))
if not os.path.exists(def_base_path):
log_raise(log, 'Problem creating configuration file.')
return
| setup_user_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(log):\n log.warning('AstroCats Setup')\n log.warning(\"Configure filepath: '{}'\".format(_CONFIG_PATH))\n config_path_dir = os.path.split(_CONFIG_PATH)[0]\n if not os.path.exists(config_path_dir):\n log.debug(\"Creating config directory '{}'\".format(config_path_dir))\n os.makedirs(config_path_dir)\n if not os.path.isdir(config_path_dir):\n log_raise(log, \"Configure path error '{}'\".format(config_path_dir))\n def_base_path = os.path.abspath(os.path.dirname(os.path.abspath(__file__)))\n log.warning(\"Setting '{}' to default path: '{}'\".format(_BASE_PATH_KEY,\n def_base_path))\n config = {_BASE_PATH_KEY: def_base_path}\n json.dump(config, open(_CONFIG_PATH, 'w'))\n if not os.path.exists(def_base_path):\n log_raise(log, 'Problem creating configuration file.')\n return\n",
"role": "user"
},
{
"content": "setup_user_config",
"role": "assistant"
}
] |
def x(args, log):
if not os.path.exists(_CONFIG_PATH):
err_str = 'Configuration file does not exists ({}).\n'.format(
_CONFIG_PATH) + 'Run `python -m astrocats setup` to configure.'
log_raise(log, err_str)
config = json.load(open(_CONFIG_PATH, 'r'))
setattr(args, _BASE_PATH_KEY, config[_BASE_PATH_KEY])
log.debug('Loaded configuration: {}: {}'.format(_BASE_PATH_KEY, config[
_BASE_PATH_KEY]))
return args
| load_user_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args, log):\n if not os.path.exists(_CONFIG_PATH):\n err_str = 'Configuration file does not exists ({}).\\n'.format(\n _CONFIG_PATH) + 'Run `python -m astrocats setup` to configure.'\n log_raise(log, err_str)\n config = json.load(open(_CONFIG_PATH, 'r'))\n setattr(args, _BASE_PATH_KEY, config[_BASE_PATH_KEY])\n log.debug('Loaded configuration: {}: {}'.format(_BASE_PATH_KEY, config[\n _BASE_PATH_KEY]))\n return args\n",
"role": "user"
},
{
"content": "load_user_config",
"role": "assistant"
}
] |
def x(clargs=None):
import argparse
git_vers = get_git()
parser = argparse.ArgumentParser(prog='astrocats', description=
'Generate catalogs for astronomical data.')
parser.add_argument('command', nargs='?', default=None)
parser.add_argument('--version', action='version', version=
'AstroCats v{}, SHA: {}'.format(__version__, git_vers))
parser.add_argument('--verbose', '-v', dest='verbose', default=False,
action='store_true', help='Print more messages to the screen.')
parser.add_argument('--debug', '-d', dest='debug', default=False,
action='store_true', help='Print excessive messages to the screen.')
parser.add_argument('--include-private', dest='private', default=False,
action='store_true', help='Include private data in import.')
parser.add_argument('--travis', '-t', dest='travis', default=False,
action='store_true', help='Run import script in test mode for Travis.')
parser.add_argument('--clone-depth', dest='clone_depth', default=0,
type=int, help=
'When cloning git repos, only clone out to this depth (default: 0 = all levels).'
)
parser.add_argument('--purge-outputs', dest='purge_outputs', default=
False, action='store_true', help='Purge git outputs after cloning.')
parser.add_argument('--log', dest='log_filename', default=None, help=
'Filename to which to store logging information.')
write_group = parser.add_mutually_exclusive_group()
write_group.add_argument('--write', action='store_true', dest=
'write_entries', default=True, help='Write entries to files [default].'
)
write_group.add_argument('--no-write', action='store_false', dest=
'write_entries', default=True, help='do not write entries to file.')
delete_group = parser.add_mutually_exclusive_group()
delete_group.add_argument('--predelete', action='store_true', dest=
'delete_old', default=True, help=
'Delete all old event files to begin [default].')
delete_group.add_argument('--no-predelete', action='store_false', dest=
'delete_old', default=True, help=
'Do not delete all old event files to start.')
args, sub_clargs = parser.parse_known_args(args=clargs)
if args.command is None:
parser.print_help()
return None, None
return args, sub_clargs
| load_command_line_args | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(clargs=None):\n import argparse\n git_vers = get_git()\n parser = argparse.ArgumentParser(prog='astrocats', description=\n 'Generate catalogs for astronomical data.')\n parser.add_argument('command', nargs='?', default=None)\n parser.add_argument('--version', action='version', version=\n 'AstroCats v{}, SHA: {}'.format(__version__, git_vers))\n parser.add_argument('--verbose', '-v', dest='verbose', default=False,\n action='store_true', help='Print more messages to the screen.')\n parser.add_argument('--debug', '-d', dest='debug', default=False,\n action='store_true', help='Print excessive messages to the screen.')\n parser.add_argument('--include-private', dest='private', default=False,\n action='store_true', help='Include private data in import.')\n parser.add_argument('--travis', '-t', dest='travis', default=False,\n action='store_true', help='Run import script in test mode for Travis.')\n parser.add_argument('--clone-depth', dest='clone_depth', default=0,\n type=int, help=\n 'When cloning git repos, only clone out to this depth (default: 0 = all levels).'\n )\n parser.add_argument('--purge-outputs', dest='purge_outputs', default=\n False, action='store_true', help='Purge git outputs after cloning.')\n parser.add_argument('--log', dest='log_filename', default=None, help=\n 'Filename to which to store logging information.')\n write_group = parser.add_mutually_exclusive_group()\n write_group.add_argument('--write', action='store_true', dest=\n 'write_entries', default=True, help='Write entries to files [default].'\n )\n write_group.add_argument('--no-write', action='store_false', dest=\n 'write_entries', default=True, help='do not write entries to file.')\n delete_group = parser.add_mutually_exclusive_group()\n delete_group.add_argument('--predelete', action='store_true', dest=\n 'delete_old', default=True, help=\n 'Delete all old event files to begin [default].')\n delete_group.add_argument('--no-predelete', action='store_false', dest=\n 'delete_old', default=True, help=\n 'Do not delete all old event files to start.')\n args, sub_clargs = parser.parse_known_args(args=clargs)\n if args.command is None:\n parser.print_help()\n return None, None\n return args, sub_clargs\n",
"role": "user"
},
{
"content": "load_command_line_args",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.