source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x():
with codecs.open(os.path.join(here, 'README.rst'), 'r', 'utf-8') as f:
return f.read()
|
get_long_description
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n with codecs.open(os.path.join(here, 'README.rst'), 'r', 'utf-8') as f:\n return f.read()\n",
"role": "user"
},
{
"content": "get_long_description",
"role": "assistant"
}
] |
async def roll_call_handler(service, action_type, payload, props, **kwds):
"""
This action handler responds to the "roll call" emitted by the api
gateway when it is brought up with the normal summary produced by
the service.
"""
if action_type == roll_call_type():
await service.announce()
|
roll_call_handler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def roll_call_handler(service, action_type, payload, props, **kwds):\n \"\"\"\n This action handler responds to the \"roll call\" emitted by the api\n gateway when it is brought up with the normal summary produced by\n the service.\n \"\"\"\n if action_type == roll_call_type():\n await service.announce()\n",
"role": "user"
},
{
"content": "roll_call_handler",
"role": "assistant"
}
] |
async def flexible_api_handler(service, action_type, payload, props, **kwds):
"""
This query handler builds the dynamic picture of availible services.
"""
if action_type == intialize_service_action():
model = json.loads(payload) if isinstance(payload, str) else payload
models = service._external_service_data['models']
connections = service._external_service_data['connections']
mutations = service._external_service_data['mutations']
if 'connection' in model:
if not [conn for conn in connections if conn['name'] == model[
'name']]:
connections.append(model)
elif 'fields' in model and not [mod for mod in models if mod['name'
] == model['name']]:
models.append(model)
if 'mutations' in model:
for mutation in model['mutations']:
if not [mut for mut in mutations if mut['name'] == mutation
['name']]:
mutations.append(mutation)
if models:
service.schema = generate_api_schema(models=models, connections
=connections, mutations=mutations)
|
flexible_api_handler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def flexible_api_handler(service, action_type, payload, props, **kwds):\n \"\"\"\n This query handler builds the dynamic picture of availible services.\n \"\"\"\n if action_type == intialize_service_action():\n model = json.loads(payload) if isinstance(payload, str) else payload\n models = service._external_service_data['models']\n connections = service._external_service_data['connections']\n mutations = service._external_service_data['mutations']\n if 'connection' in model:\n if not [conn for conn in connections if conn['name'] == model[\n 'name']]:\n connections.append(model)\n elif 'fields' in model and not [mod for mod in models if mod['name'\n ] == model['name']]:\n models.append(model)\n if 'mutations' in model:\n for mutation in model['mutations']:\n if not [mut for mut in mutations if mut['name'] == mutation\n ['name']]:\n mutations.append(mutation)\n if models:\n service.schema = generate_api_schema(models=models, connections\n =connections, mutations=mutations)\n",
"role": "user"
},
{
"content": "flexible_api_handler",
"role": "assistant"
}
] |
def x(model, order_by):
out = []
for key in order_by:
key = key.strip()
if key.startswith('+'):
out.append(getattr(model, key[1:]))
elif key.startswith('-'):
out.append(getattr(model, key[1:]).desc())
else:
out.append(getattr(model, key))
return out
|
parse_order_by
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, order_by):\n out = []\n for key in order_by:\n key = key.strip()\n if key.startswith('+'):\n out.append(getattr(model, key[1:]))\n elif key.startswith('-'):\n out.append(getattr(model, key[1:]).desc())\n else:\n out.append(getattr(model, key))\n return out\n",
"role": "user"
},
{
"content": "parse_order_by",
"role": "assistant"
}
] |
def x(model_names):
for model_name in model_names:
context = {'name': model_name}
render_template(template='common', context=context)
render_template(template='model', context=context)
|
model
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model_names):\n for model_name in model_names:\n context = {'name': model_name}\n render_template(template='common', context=context)\n render_template(template='model', context=context)\n",
"role": "user"
},
{
"content": "model",
"role": "assistant"
}
] |
def x():
context = {'name': 'api', 'secret_key': random_string(32)}
render_template(template='common', context=context)
render_template(template='api', context=context)
|
api
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n context = {'name': 'api', 'secret_key': random_string(32)}\n render_template(template='common', context=context)\n render_template(template='api', context=context)\n",
"role": "user"
},
{
"content": "api",
"role": "assistant"
}
] |
def x():
context = {'name': 'auth'}
render_template(template='common', context=context)
render_template(template='auth', context=context)
|
auth
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n context = {'name': 'auth'}\n render_template(template='common', context=context)\n render_template(template='auth', context=context)\n",
"role": "user"
},
{
"content": "auth",
"role": "assistant"
}
] |
def x(model_connections):
for connection_str in model_connections:
services = connection_str.split(':')
services.sort()
service_name = ''.join([service.title() for service in services])
context = {'name': service_name[0].lower() + service_name[1:],
'services': services}
render_template(template='common', context=context)
render_template(template='connection', context=context)
|
connection
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model_connections):\n for connection_str in model_connections:\n services = connection_str.split(':')\n services.sort()\n service_name = ''.join([service.title() for service in services])\n context = {'name': service_name[0].lower() + service_name[1:],\n 'services': services}\n render_template(template='common', context=context)\n render_template(template='connection', context=context)\n",
"role": "user"
},
{
"content": "connection",
"role": "assistant"
}
] |
def x(model):
name = model if isinstance(model, str) else model.__name__
return normalize_string(name)
|
get_model_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model):\n name = model if isinstance(model, str) else model.__name__\n return normalize_string(name)\n",
"role": "user"
},
{
"content": "get_model_string",
"role": "assistant"
}
] |
def x(fields, respect_required=False, wrap_field=True, name=''):
input_fields = {}
for field in fields:
field_name = name + field['name']
field_type = field['type']
if isinstance(field_type, str):
field_type = convert_typestring_to_api_native(field_type)()
input_fields[field['name']] = field_type
elif isinstance(field_type, dict):
object_fields = field_type['fields']
input_fields[field['name']] = graphql_type_from_summary(summary
={'name': field_name + 'ArgType', 'fields': object_fields})
if wrap_field:
input_fields[field['name']] = graphene.Field(input_fields[
field['name']])
return input_fields
|
build_native_type_dictionary
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fields, respect_required=False, wrap_field=True, name=''):\n input_fields = {}\n for field in fields:\n field_name = name + field['name']\n field_type = field['type']\n if isinstance(field_type, str):\n field_type = convert_typestring_to_api_native(field_type)()\n input_fields[field['name']] = field_type\n elif isinstance(field_type, dict):\n object_fields = field_type['fields']\n input_fields[field['name']] = graphql_type_from_summary(summary\n ={'name': field_name + 'ArgType', 'fields': object_fields})\n if wrap_field:\n input_fields[field['name']] = graphene.Field(input_fields[\n field['name']])\n return input_fields\n",
"role": "user"
},
{
"content": "build_native_type_dictionary",
"role": "assistant"
}
] |
def x(method, model, isAsync=False):
action_type = get_crud_action(method=method, model=model)
name = crud_mutation_name(model=model, action=method)
input_map = {'create': create_mutation_inputs, 'update':
update_mutation_inputs, 'delete': delete_mutation_inputs}
output_map = {'create': create_mutation_outputs, 'update':
update_mutation_outputs, 'delete': delete_mutation_outputs}
inputs = input_map[method](model)
outputs = output_map[method](model)
return summarize_mutation(mutation_name=name, event=action_type,
isAsync=isAsync, inputs=inputs, outputs=outputs)
|
summarize_crud_mutation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(method, model, isAsync=False):\n action_type = get_crud_action(method=method, model=model)\n name = crud_mutation_name(model=model, action=method)\n input_map = {'create': create_mutation_inputs, 'update':\n update_mutation_inputs, 'delete': delete_mutation_inputs}\n output_map = {'create': create_mutation_outputs, 'update':\n update_mutation_outputs, 'delete': delete_mutation_outputs}\n inputs = input_map[method](model)\n outputs = output_map[method](model)\n return summarize_mutation(mutation_name=name, event=action_type,\n isAsync=isAsync, inputs=inputs, outputs=outputs)\n",
"role": "user"
},
{
"content": "summarize_crud_mutation",
"role": "assistant"
}
] |
def x(self):
self.loop.run_until_complete(self._consumer.start())
self.loop.run_until_complete(self._producer.start())
self._consumer_task = self.loop.create_task(self._consume_event_callback())
|
start
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.loop.run_until_complete(self._consumer.start())\n self.loop.run_until_complete(self._producer.start())\n self._consumer_task = self.loop.create_task(self._consume_event_callback())\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
def x(self):
self.loop.run_until_complete(self._consumer.stop())
self.loop.run_until_complete(self._producer.stop())
try:
self._consumer_task.cancel()
except AttributeError:
pass
|
stop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.loop.run_until_complete(self._consumer.stop())\n self.loop.run_until_complete(self._producer.stop())\n try:\n self._consumer_task.cancel()\n except AttributeError:\n pass\n",
"role": "user"
},
{
"content": "stop",
"role": "assistant"
}
] |
async def send(self, payload='', action_type='', channel=None, **kwds):
"""
This method sends a message over the kafka stream.
"""
channel = channel or self.producer_channel
message = serialize_action(action_type=action_type, payload=payload, **kwds
)
return await self._producer.send(channel, message.encode())
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def send(self, payload='', action_type='', channel=None, **kwds):\n \"\"\"\n This method sends a message over the kafka stream.\n \"\"\"\n channel = channel or self.producer_channel\n message = serialize_action(action_type=action_type, payload=payload, **kwds\n )\n return await self._producer.send(channel, message.encode())\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(action_type, payload, **extra_fields):
action_dict = dict(action_type=action_type, payload=payload, **extra_fields
)
return json.dumps(action_dict)
|
serialize_action
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(action_type, payload, **extra_fields):\n action_dict = dict(action_type=action_type, payload=payload, **extra_fields\n )\n return json.dumps(action_dict)\n",
"role": "user"
},
{
"content": "serialize_action",
"role": "assistant"
}
] |
def x(model):
args = {field.name.lower(): convert_peewee_field(field) for field in
model.fields()}
return args
|
fields_for_model
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model):\n args = {field.name.lower(): convert_peewee_field(field) for field in\n model.fields()}\n return args\n",
"role": "user"
},
{
"content": "fields_for_model",
"role": "assistant"
}
] |
def x(service):
services = service._services
bases = BaseModel,
attributes = {model_service_name(service): fields.CharField() for
service in services}
return type(BaseModel)(connection_service_name(service), bases, attributes)
|
create_connection_model
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(service):\n services = service._services\n bases = BaseModel,\n attributes = {model_service_name(service): fields.CharField() for\n service in services}\n return type(BaseModel)(connection_service_name(service), bases, attributes)\n",
"role": "user"
},
{
"content": "create_connection_model",
"role": "assistant"
}
] |
def x(Model, name=None, **kwds):
async def action_handler(service, action_type, payload, props, notify=
True, **kwds):
if action_type == get_crud_action('create', name or Model):
try:
message_props = {}
if 'correlation_id' in props:
message_props['correlation_id'] = props['correlation_id']
for requirement in Model.required_fields():
field_name = requirement.name
if not field_name in payload and field_name != 'id':
raise ValueError(
'Required field not found in payload: %s' %
field_name)
new_model = Model(**payload)
new_model.save()
if notify:
await service.event_broker.send(payload=ModelSerializer
().serialize(new_model), action_type=
change_action_status(action_type, success_status()),
**message_props)
except Exception as err:
if notify:
await service.event_broker.send(payload=str(err),
action_type=change_action_status(action_type,
error_status()), **message_props)
else:
raise err
return action_handler
|
create_handler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Model, name=None, **kwds):\n\n async def action_handler(service, action_type, payload, props, notify=\n True, **kwds):\n if action_type == get_crud_action('create', name or Model):\n try:\n message_props = {}\n if 'correlation_id' in props:\n message_props['correlation_id'] = props['correlation_id']\n for requirement in Model.required_fields():\n field_name = requirement.name\n if not field_name in payload and field_name != 'id':\n raise ValueError(\n 'Required field not found in payload: %s' %\n field_name)\n new_model = Model(**payload)\n new_model.save()\n if notify:\n await service.event_broker.send(payload=ModelSerializer\n ().serialize(new_model), action_type=\n change_action_status(action_type, success_status()),\n **message_props)\n except Exception as err:\n if notify:\n await service.event_broker.send(payload=str(err),\n action_type=change_action_status(action_type,\n error_status()), **message_props)\n else:\n raise err\n return action_handler\n",
"role": "user"
},
{
"content": "create_handler",
"role": "assistant"
}
] |
async def _has_id(self, *args, **kwds):
"""
Equality checks are overwitten to perform the actual check in a
semantic way.
"""
if len(args) == 1:
result = await parse_string(self._query, self.service.
object_resolver, self.service.connection_resolver, self.service
.mutation_resolver, obey_auth=False)
return self._find_id(result['data'], args[0])
else:
return self._has_id(**kwds)
|
has_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def _has_id(self, *args, **kwds):\n \"\"\"\n Equality checks are overwitten to perform the actual check in a\n semantic way.\n \"\"\"\n if len(args) == 1:\n result = await parse_string(self._query, self.service.\n object_resolver, self.service.connection_resolver, self.service\n .mutation_resolver, obey_auth=False)\n return self._find_id(result['data'], args[0])\n else:\n return self._has_id(**kwds)\n",
"role": "user"
},
{
"content": "has_id",
"role": "assistant"
}
] |
def x(self, result, uid):
if isinstance(result, list):
if any([self._find_id(value, uid) for value in result]):
return True
if isinstance(result, dict):
list_children = [value for value in result.values() if isinstance(
value, list)]
for value in list_children:
if self._find_id(value, uid):
return True
dict_children = [value for value in result.values() if isinstance(
value, dict)]
for value in dict_children:
if self._find_id(value, uid):
return True
if not list_children and not dict_children and 'id' in result:
result_id = result['id']
return result_id == type(result_id)(uid)
return False
|
find_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, result, uid):\n if isinstance(result, list):\n if any([self._find_id(value, uid) for value in result]):\n return True\n if isinstance(result, dict):\n list_children = [value for value in result.values() if isinstance(\n value, list)]\n for value in list_children:\n if self._find_id(value, uid):\n return True\n dict_children = [value for value in result.values() if isinstance(\n value, dict)]\n for value in dict_children:\n if self._find_id(value, uid):\n return True\n if not list_children and not dict_children and 'id' in result:\n result_id = result['id']\n return result_id == type(result_id)(uid)\n return False\n",
"role": "user"
},
{
"content": "find_id",
"role": "assistant"
}
] |
def x(self):
idx = self._container.structure.index(self)
return BlockBuilder(self._container, idx)
|
add_before
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n idx = self._container.structure.index(self)\n return BlockBuilder(self._container, idx)\n",
"role": "user"
},
{
"content": "add_before",
"role": "assistant"
}
] |
def x(self):
idx = self._container.structure.index(self)
return BlockBuilder(self._container, idx + 1)
|
add_after
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n idx = self._container.structure.index(self)\n return BlockBuilder(self._container, idx + 1)\n",
"role": "user"
},
{
"content": "add_after",
"role": "assistant"
}
] |
def x(self, text, comment_prefix='#'):
comment = Comment(self._container)
if not text.startswith(comment_prefix):
text = '{} {}'.format(comment_prefix, text)
if not text.endswith('\n'):
text = '{}{}'.format(text, '\n')
comment.add_line(text)
self._container.structure.insert(self._idx, comment)
self._idx += 1
return self
|
comment
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text, comment_prefix='#'):\n comment = Comment(self._container)\n if not text.startswith(comment_prefix):\n text = '{} {}'.format(comment_prefix, text)\n if not text.endswith('\\n'):\n text = '{}{}'.format(text, '\\n')\n comment.add_line(text)\n self._container.structure.insert(self._idx, comment)\n self._idx += 1\n return self\n",
"role": "user"
},
{
"content": "comment",
"role": "assistant"
}
] |
def x(self, section):
if not isinstance(self._container, ConfigUpdater):
raise ValueError('Sections can only be added at section level!')
if isinstance(section, str):
section = Section(section, container=self._container)
elif not isinstance(section, Section):
raise ValueError('Parameter must be a string or Section type!')
if section.name in [block.name for block in self._container if
isinstance(block, Section)]:
raise DuplicateSectionError(section.name)
self._container.structure.insert(self._idx, section)
self._idx += 1
return self
|
section
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, section):\n if not isinstance(self._container, ConfigUpdater):\n raise ValueError('Sections can only be added at section level!')\n if isinstance(section, str):\n section = Section(section, container=self._container)\n elif not isinstance(section, Section):\n raise ValueError('Parameter must be a string or Section type!')\n if section.name in [block.name for block in self._container if\n isinstance(block, Section)]:\n raise DuplicateSectionError(section.name)\n self._container.structure.insert(self._idx, section)\n self._idx += 1\n return self\n",
"role": "user"
},
{
"content": "section",
"role": "assistant"
}
] |
def x(self, newlines=1):
space = Space()
for line in range(newlines):
space.add_line('\n')
self._container.structure.insert(self._idx, space)
self._idx += 1
return self
|
space
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, newlines=1):\n space = Space()\n for line in range(newlines):\n space.add_line('\\n')\n self._container.structure.insert(self._idx, space)\n self._idx += 1\n return self\n",
"role": "user"
},
{
"content": "space",
"role": "assistant"
}
] |
def x(self, key, value=None, **kwargs):
if not isinstance(self._container, Section):
raise ValueError('Options can only be added inside a section!')
option = Option(key, value, container=self._container, **kwargs)
option.value = value
self._container.structure.insert(self._idx, option)
self._idx += 1
return self
|
option
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value=None, **kwargs):\n if not isinstance(self._container, Section):\n raise ValueError('Options can only be added inside a section!')\n option = Option(key, value, container=self._container, **kwargs)\n option.value = value\n self._container.structure.insert(self._idx, option)\n self._idx += 1\n return self\n",
"role": "user"
},
{
"content": "option",
"role": "assistant"
}
] |
def x(self, line):
if not isinstance(self.last_item, Comment):
comment = Comment(self._structure)
self._structure.append(comment)
self.last_item.add_line(line)
return self
|
add_comment
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, line):\n if not isinstance(self.last_item, Comment):\n comment = Comment(self._structure)\n self._structure.append(comment)\n self.last_item.add_line(line)\n return self\n",
"role": "user"
},
{
"content": "add_comment",
"role": "assistant"
}
] |
def x(self, line):
if not isinstance(self.last_item, Space):
space = Space(self._structure)
self._structure.append(space)
self.last_item.add_line(line)
return self
|
add_space
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, line):\n if not isinstance(self.last_item, Space):\n space = Space(self._structure)\n self._structure.append(space)\n self.last_item.add_line(line)\n return self\n",
"role": "user"
},
{
"content": "add_space",
"role": "assistant"
}
] |
def x(self):
return {key: self.__getitem__(key).value for key in self.options()}
|
to_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {key: self.__getitem__(key).value for key in self.options()}\n",
"role": "user"
},
{
"content": "to_dict",
"role": "assistant"
}
] |
def x(self, option, value=None):
option = self._container.optionxform(option)
if option in self.options():
self.__getitem__(option).value = value
else:
self.__setitem__(option, value)
return self
|
set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, option, value=None):\n option = self._container.optionxform(option)\n if option in self.options():\n self.__getitem__(option).value = value\n else:\n self.__setitem__(option, value)\n return self\n",
"role": "user"
},
{
"content": "set",
"role": "assistant"
}
] |
def x(self, values, separator='\n', indent=4 * ' '):
self._updated = True
self._multiline_value_joined = True
self._values = values
if separator == '\n':
values.insert(0, '')
separator = separator + indent
self._value = separator.join(values)
|
set_values
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, values, separator='\\n', indent=4 * ' '):\n self._updated = True\n self._multiline_value_joined = True\n self._values = values\n if separator == '\\n':\n values.insert(0, '')\n separator = separator + indent\n self._value = separator.join(values)\n",
"role": "user"
},
{
"content": "set_values",
"role": "assistant"
}
] |
def x(self, filename, encoding=None):
with open(filename, encoding=encoding) as fp:
self._read(fp, filename)
self._filename = os.path.abspath(filename)
|
read
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename, encoding=None):\n with open(filename, encoding=encoding) as fp:\n self._read(fp, filename)\n self._filename = os.path.abspath(filename)\n",
"role": "user"
},
{
"content": "read",
"role": "assistant"
}
] |
def x(self):
if self._filename is None:
raise NoConfigFileReadError()
with open(self._filename, 'w') as fb:
self.write(fb)
|
update_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._filename is None:\n raise NoConfigFileReadError()\n with open(self._filename, 'w') as fb:\n self.write(fb)\n",
"role": "user"
},
{
"content": "update_file",
"role": "assistant"
}
] |
def x(self, **kwargs):
args = dict(dict_type=self._dict, allow_no_value=self._allow_no_value,
inline_comment_prefixes=self._inline_comment_prefixes, strict=self.
_strict, empty_lines_in_values=self._empty_lines_in_values)
args.update(kwargs)
parser = ConfigParser(**args)
updated_cfg = str(self)
parser.read_string(updated_cfg)
|
validate_format
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n args = dict(dict_type=self._dict, allow_no_value=self._allow_no_value,\n inline_comment_prefixes=self._inline_comment_prefixes, strict=self.\n _strict, empty_lines_in_values=self._empty_lines_in_values)\n args.update(kwargs)\n parser = ConfigParser(**args)\n updated_cfg = str(self)\n parser.read_string(updated_cfg)\n",
"role": "user"
},
{
"content": "validate_format",
"role": "assistant"
}
] |
def x(self, section):
if section in self.sections():
raise DuplicateSectionError(section)
if isinstance(section, str):
section = Section(section, container=self)
elif not isinstance(section, Section):
raise ValueError('Parameter must be a string or Section type!')
self._structure.append(section)
|
add_section
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, section):\n if section in self.sections():\n raise DuplicateSectionError(section)\n if isinstance(section, str):\n section = Section(section, container=self)\n elif not isinstance(section, Section):\n raise ValueError('Parameter must be a string or Section type!')\n self._structure.append(section)\n",
"role": "user"
},
{
"content": "add_section",
"role": "assistant"
}
] |
def x(self, section):
if not self.has_section(section):
raise NoSectionError(section) from None
return self.__getitem__(section).options()
|
options
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, section):\n if not self.has_section(section):\n raise NoSectionError(section) from None\n return self.__getitem__(section).options()\n",
"role": "user"
},
{
"content": "options",
"role": "assistant"
}
] |
def x(self, section, option):
if not self.has_section(section):
raise NoSectionError(section) from None
section = self.__getitem__(section)
option = self.optionxform(option)
try:
value = section[option]
except KeyError:
raise NoOptionError(option, section)
return value
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, section, option):\n if not self.has_section(section):\n raise NoSectionError(section) from None\n section = self.__getitem__(section)\n option = self.optionxform(option)\n try:\n value = section[option]\n except KeyError:\n raise NoOptionError(option, section)\n return value\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, section=_UNSET):
if section is _UNSET:
return [(sect.name, sect) for sect in self.sections_blocks()]
section = self.__getitem__(section)
return [(opt.key, opt) for opt in section.option_blocks()]
|
items
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, section=_UNSET):\n if section is _UNSET:\n return [(sect.name, sect) for sect in self.sections_blocks()]\n section = self.__getitem__(section)\n return [(opt.key, opt) for opt in section.option_blocks()]\n",
"role": "user"
},
{
"content": "items",
"role": "assistant"
}
] |
def x(self, section, option):
if section not in self.sections():
return False
else:
option = self.optionxform(option)
return option in self[section]
|
has_option
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, section, option):\n if section not in self.sections():\n return False\n else:\n option = self.optionxform(option)\n return option in self[section]\n",
"role": "user"
},
{
"content": "has_option",
"role": "assistant"
}
] |
def x(self, section, option, value=None):
try:
section = self.__getitem__(section)
except KeyError:
raise NoSectionError(section) from None
option = self.optionxform(option)
if option in section:
section[option].value = value
else:
section[option] = value
return self
|
set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, section, option, value=None):\n try:\n section = self.__getitem__(section)\n except KeyError:\n raise NoSectionError(section) from None\n option = self.optionxform(option)\n if option in section:\n section[option].value = value\n else:\n section[option] = value\n return self\n",
"role": "user"
},
{
"content": "set",
"role": "assistant"
}
] |
def x(self, section, option):
try:
section = self.__getitem__(section)
except KeyError:
raise NoSectionError(section) from None
option = self.optionxform(option)
existed = option in section.options()
if existed:
del section[option]
return existed
|
remove_option
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, section, option):\n try:\n section = self.__getitem__(section)\n except KeyError:\n raise NoSectionError(section) from None\n option = self.optionxform(option)\n existed = option in section.options()\n if existed:\n del section[option]\n return existed\n",
"role": "user"
},
{
"content": "remove_option",
"role": "assistant"
}
] |
def x(self, name):
existed = self.has_section(name)
if existed:
idx = self._get_section_idx(name)
del self._structure[idx]
return existed
|
remove_section
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n existed = self.has_section(name)\n if existed:\n idx = self._get_section_idx(name)\n del self._structure[idx]\n return existed\n",
"role": "user"
},
{
"content": "remove_section",
"role": "assistant"
}
] |
def x(self):
return {sect: self.__getitem__(sect).to_dict() for sect in self.sections()}
|
to_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {sect: self.__getitem__(sect).to_dict() for sect in self.sections()}\n",
"role": "user"
},
{
"content": "to_dict",
"role": "assistant"
}
] |
def x(template, out_dir='.', context=None):
template_directory = os.path.join(os.path.dirname(os.path.abspath(
__file__)), '..', 'templates', template)
files = []
empty_dirs = []
for dirpath, _, filenames in os.walk(template_directory):
if len(filenames) == 0:
empty_dirs.append(os.path.relpath(dirpath, template_directory))
else:
files.extend([os.path.join(dirpath, filepath) for filepath in
filenames])
for source_file in files:
with open(source_file, 'r') as file:
template = Template(file.read())
template_rendered = template.render(**context or {})
source_relpath = os.path.relpath(source_file, template_directory)
filename = os.path.join(out_dir, source_relpath)
filename_rendered = Template(filename).render(**context)
source_dir = os.path.dirname(filename_rendered)
if not os.path.exists(source_dir):
os.makedirs(source_dir)
with open(filename_rendered, 'w') as target_file:
target_file.write(template_rendered)
for dirpath in empty_dirs:
try:
dirname = os.path.join(out_dir, dirpath)
dirname_rendered = Template(dirname).render(**context)
if not os.path.exists(dirname_rendered):
os.makedirs(dirname_rendered)
except OSError as exc:
if exc.errno == errno.EEXIST and os.path.isdir(dirpath):
pass
else:
raise
|
render_template
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(template, out_dir='.', context=None):\n template_directory = os.path.join(os.path.dirname(os.path.abspath(\n __file__)), '..', 'templates', template)\n files = []\n empty_dirs = []\n for dirpath, _, filenames in os.walk(template_directory):\n if len(filenames) == 0:\n empty_dirs.append(os.path.relpath(dirpath, template_directory))\n else:\n files.extend([os.path.join(dirpath, filepath) for filepath in\n filenames])\n for source_file in files:\n with open(source_file, 'r') as file:\n template = Template(file.read())\n template_rendered = template.render(**context or {})\n source_relpath = os.path.relpath(source_file, template_directory)\n filename = os.path.join(out_dir, source_relpath)\n filename_rendered = Template(filename).render(**context)\n source_dir = os.path.dirname(filename_rendered)\n if not os.path.exists(source_dir):\n os.makedirs(source_dir)\n with open(filename_rendered, 'w') as target_file:\n target_file.write(template_rendered)\n for dirpath in empty_dirs:\n try:\n dirname = os.path.join(out_dir, dirpath)\n dirname_rendered = Template(dirname).render(**context)\n if not os.path.exists(dirname_rendered):\n os.makedirs(dirname_rendered)\n except OSError as exc:\n if exc.errno == errno.EEXIST and os.path.isdir(dirpath):\n pass\n else:\n raise\n",
"role": "user"
},
{
"content": "render_template",
"role": "assistant"
}
] |
def x(type, payload):
async def _produce():
await producer.send(action_type=type, payload=payload)
print('Successfully dispatched action with type {}.'.format(type))
producer = ActionHandler()
producer.start()
loop = asyncio.get_event_loop()
loop.run_until_complete(_produce())
producer.stop()
|
publish
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(type, payload):\n\n async def _produce():\n await producer.send(action_type=type, payload=payload)\n print('Successfully dispatched action with type {}.'.format(type))\n producer = ActionHandler()\n producer.start()\n loop = asyncio.get_event_loop()\n loop.run_until_complete(_produce())\n producer.stop()\n",
"role": "user"
},
{
"content": "publish",
"role": "assistant"
}
] |
def x(Model, name=None, **kwds):
from nautilus.database import db
async def action_handler(service, action_type, payload, props, notify=
True, **kwds):
if action_type == get_crud_action('delete', name or Model):
try:
message_props = {}
if 'correlation_id' in props:
message_props['correlation_id'] = props['correlation_id']
record_id = payload['id'] if 'id' in payload else payload['pk']
try:
model_query = Model.select().where(Model.primary_key() ==
record_id)
except KeyError:
raise RuntimeError(
'Could not find appropriate id to remove service record.'
)
model_query.get().delete_instance()
if notify:
await service.event_broker.send(payload=
'{"status":"ok"}', action_type=change_action_status
(action_type, success_status()), **message_props)
except Exception as err:
if notify:
await service.event_broker.send(payload=str(err),
action_type=change_action_status(action_type,
error_status()), **message_props)
else:
raise err
return action_handler
|
delete_handler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Model, name=None, **kwds):\n from nautilus.database import db\n\n async def action_handler(service, action_type, payload, props, notify=\n True, **kwds):\n if action_type == get_crud_action('delete', name or Model):\n try:\n message_props = {}\n if 'correlation_id' in props:\n message_props['correlation_id'] = props['correlation_id']\n record_id = payload['id'] if 'id' in payload else payload['pk']\n try:\n model_query = Model.select().where(Model.primary_key() ==\n record_id)\n except KeyError:\n raise RuntimeError(\n 'Could not find appropriate id to remove service record.'\n )\n model_query.get().delete_instance()\n if notify:\n await service.event_broker.send(payload=\n '{\"status\":\"ok\"}', action_type=change_action_status\n (action_type, success_status()), **message_props)\n except Exception as err:\n if notify:\n await service.event_broker.send(payload=str(err),\n action_type=change_action_status(action_type,\n error_status()), **message_props)\n else:\n raise err\n return action_handler\n",
"role": "user"
},
{
"content": "delete_handler",
"role": "assistant"
}
] |
def x(Model, name=None, **kwds):
async def action_handler(service, action_type, payload, props, **kwds):
if action_type == get_crud_action('read', name or Model):
message_props = {}
if 'correlation_id' in props:
message_props['correlation_id'] = props['correlation_id']
try:
resolved = service.schema.execute(payload)
response = json.dumps({'data': {key: value for key, value in
resolved.data.items()}, 'errors': resolved.errors})
await service.event_broker.send(payload=response,
action_type=change_action_status(action_type,
success_status()), **message_props)
except Exception as err:
await service.event_broker.send(payload=str(err),
action_type=change_action_status(action_type,
error_status()), **message_props)
return action_handler
|
read_handler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Model, name=None, **kwds):\n\n async def action_handler(service, action_type, payload, props, **kwds):\n if action_type == get_crud_action('read', name or Model):\n message_props = {}\n if 'correlation_id' in props:\n message_props['correlation_id'] = props['correlation_id']\n try:\n resolved = service.schema.execute(payload)\n response = json.dumps({'data': {key: value for key, value in\n resolved.data.items()}, 'errors': resolved.errors})\n await service.event_broker.send(payload=response,\n action_type=change_action_status(action_type,\n success_status()), **message_props)\n except Exception as err:\n await service.event_broker.send(payload=str(err),\n action_type=change_action_status(action_type,\n error_status()), **message_props)\n return action_handler\n",
"role": "user"
},
{
"content": "read_handler",
"role": "assistant"
}
] |
def x(Model, name=None, **kwds):
from nautilus.network.events import combine_action_handlers
from . import update_handler, create_handler, delete_handler, read_handler
return combine_action_handlers(create_handler(Model, name=name),
read_handler(Model, name=name), update_handler(Model, name=name),
delete_handler(Model, name=name))
|
crud_handler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Model, name=None, **kwds):\n from nautilus.network.events import combine_action_handlers\n from . import update_handler, create_handler, delete_handler, read_handler\n return combine_action_handlers(create_handler(Model, name=name),\n read_handler(Model, name=name), update_handler(Model, name=name),\n delete_handler(Model, name=name))\n",
"role": "user"
},
{
"content": "crud_handler",
"role": "assistant"
}
] |
def x(type, payload):
async def _produce():
print('Dispatching action with type {}...'.format(type))
response = await producer.ask(action_type=type, payload=payload)
print(response)
producer = ActionHandler()
producer.start()
loop = asyncio.get_event_loop()
loop.run_until_complete(_produce())
producer.stop()
|
ask
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(type, payload):\n\n async def _produce():\n print('Dispatching action with type {}...'.format(type))\n response = await producer.ask(action_type=type, payload=payload)\n print(response)\n producer = ActionHandler()\n producer.start()\n loop = asyncio.get_event_loop()\n loop.run_until_complete(_produce())\n producer.stop()\n",
"role": "user"
},
{
"content": "ask",
"role": "assistant"
}
] |
def x(self, config):
def x(attr):
return not attr.startswith('__') and not isinstance(getattr(config,
attr), collections.abc.Callable)
return {attr: getattr(config, attr) for attr in dir(config) if
is_user_attribute(attr)}
|
from_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, config):\n\n def x(attr):\n return not attr.startswith('__') and not isinstance(getattr(config,\n attr), collections.abc.Callable)\n return {attr: getattr(config, attr) for attr in dir(config) if\n is_user_attribute(attr)}\n",
"role": "user"
},
{
"content": "from_type",
"role": "assistant"
}
] |
async def walk_query(obj, object_resolver, connection_resolver, errors,
current_user=None, __naut_name=None, obey_auth=True, **filters):
"""
This function traverses a query and collects the corresponding
information in a dictionary.
"""
if not hasattr(obj, 'selection_set'):
raise ValueError('Can only resolve objects, not primitive types')
node_name = __naut_name or obj.name.value if obj.name else obj.operation
selection_set = obj.selection_set.selections
def x(arg):
if hasattr(arg, 'value'):
return arg.value
elif hasattr(arg, 'values'):
return [_build_arg_tree(node) for node in arg.values]
for arg in obj.arguments:
filters[arg.name.value] = _build_arg_tree(arg.value)
fields = [field for field in selection_set if not field.selection_set]
connections = [field for field in selection_set if field.selection_set]
try:
models = await object_resolver(node_name, [field.name.value for
field in fields], current_user=current_user, obey_auth=
obey_auth, **filters)
except Exception as e:
errors.append(e.__str__())
return None
for model in models:
if 'pk' in model:
for connection in connections:
connection_name = connection.name.value
node = {'name': node_name, 'pk': model['pk']}
try:
connected_ids, next_target = await connection_resolver(
connection_name, node)
if connected_ids:
filters['pk_in'] = connected_ids
value = await walk_query(connection,
object_resolver, connection_resolver, errors,
current_user=current_user, obey_auth=obey_auth,
__naut_name=next_target, **filters)
else:
value = []
except Exception as e:
errors.append(e.__str__())
value = None
model[connection_name] = value
return models
|
walk_query
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def walk_query(obj, object_resolver, connection_resolver, errors,\n current_user=None, __naut_name=None, obey_auth=True, **filters):\n \"\"\"\n This function traverses a query and collects the corresponding\n information in a dictionary.\n \"\"\"\n if not hasattr(obj, 'selection_set'):\n raise ValueError('Can only resolve objects, not primitive types')\n node_name = __naut_name or obj.name.value if obj.name else obj.operation\n selection_set = obj.selection_set.selections\n\n def x(arg):\n if hasattr(arg, 'value'):\n return arg.value\n elif hasattr(arg, 'values'):\n return [_build_arg_tree(node) for node in arg.values]\n for arg in obj.arguments:\n filters[arg.name.value] = _build_arg_tree(arg.value)\n fields = [field for field in selection_set if not field.selection_set]\n connections = [field for field in selection_set if field.selection_set]\n try:\n models = await object_resolver(node_name, [field.name.value for\n field in fields], current_user=current_user, obey_auth=\n obey_auth, **filters)\n except Exception as e:\n errors.append(e.__str__())\n return None\n for model in models:\n if 'pk' in model:\n for connection in connections:\n connection_name = connection.name.value\n node = {'name': node_name, 'pk': model['pk']}\n try:\n connected_ids, next_target = await connection_resolver(\n connection_name, node)\n if connected_ids:\n filters['pk_in'] = connected_ids\n value = await walk_query(connection,\n object_resolver, connection_resolver, errors,\n current_user=current_user, obey_auth=obey_auth,\n __naut_name=next_target, **filters)\n else:\n value = []\n except Exception as e:\n errors.append(e.__str__())\n value = None\n model[connection_name] = value\n return models\n",
"role": "user"
},
{
"content": "walk_query",
"role": "assistant"
}
] |
async def query_handler(service, action_type, payload, props, **kwds):
"""
This action handler interprets the payload as a query to be executed
by the api gateway service.
"""
if action_type == query_action_type():
print('encountered query event {!r} '.format(payload))
result = await parse_string(payload, service.object_resolver,
service.connection_resolver, service.mutation_resolver,
obey_auth=False)
reply_props = {'correlation_id': props['correlation_id']
} if 'correlation_id' in props else {}
await service.event_broker.send(payload=result, action_type=
change_action_status(action_type, success_status()), **reply_props)
|
query_handler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def query_handler(service, action_type, payload, props, **kwds):\n \"\"\"\n This action handler interprets the payload as a query to be executed\n by the api gateway service.\n \"\"\"\n if action_type == query_action_type():\n print('encountered query event {!r} '.format(payload))\n result = await parse_string(payload, service.object_resolver,\n service.connection_resolver, service.mutation_resolver,\n obey_auth=False)\n reply_props = {'correlation_id': props['correlation_id']\n } if 'correlation_id' in props else {}\n await service.event_broker.send(payload=result, action_type=\n change_action_status(action_type, success_status()), **reply_props)\n",
"role": "user"
},
{
"content": "query_handler",
"role": "assistant"
}
] |
def x(name, type, required=False):
return dict(name=name, type=type, required=required)
|
summarize_mutation_io
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, type, required=False):\n return dict(name=name, type=type, required=required)\n",
"role": "user"
},
{
"content": "summarize_mutation_io",
"role": "assistant"
}
] |
def x(action, model):
model_string = get_model_string(model)
model_string = model_string[0].upper() + model_string[1:]
return '{}{}'.format(action, model_string)
|
crud_mutation_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(action, model):\n model_string = get_model_string(model)\n model_string = model_string[0].upper() + model_string[1:]\n return '{}{}'.format(action, model_string)\n",
"role": "user"
},
{
"content": "crud_mutation_name",
"role": "assistant"
}
] |
def x(service):
inputs = _service_mutation_summaries(service)
inputs.remove([field for field in inputs if field['name'] == 'id'][0])
return inputs
|
create_mutation_inputs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(service):\n inputs = _service_mutation_summaries(service)\n inputs.remove([field for field in inputs if field['name'] == 'id'][0])\n return inputs\n",
"role": "user"
},
{
"content": "create_mutation_inputs",
"role": "assistant"
}
] |
def x(service):
inputs = _service_mutation_summaries(service)
for field in inputs:
if field['name'] == 'id':
field['required'] = True
else:
field['required'] = False
return inputs
|
update_mutation_inputs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(service):\n inputs = _service_mutation_summaries(service)\n for field in inputs:\n if field['name'] == 'id':\n field['required'] = True\n else:\n field['required'] = False\n return inputs\n",
"role": "user"
},
{
"content": "update_mutation_inputs",
"role": "assistant"
}
] |
def x(service):
from nautilus.api.util import summarize_mutation_io
return [summarize_mutation_io(name='pk', type='ID', required=True)]
|
delete_mutation_inputs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(service):\n from nautilus.api.util import summarize_mutation_io\n return [summarize_mutation_io(name='pk', type='ID', required=True)]\n",
"role": "user"
},
{
"content": "delete_mutation_inputs",
"role": "assistant"
}
] |
def x(model):
from nautilus.api.util import summarize_mutation_io
object_type_name = get_model_string(model)
return summarize_mutation_io(name=object_type_name, type=
_summarize_object_type(model), required=False)
|
summarize_o_mutation_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model):\n from nautilus.api.util import summarize_mutation_io\n object_type_name = get_model_string(model)\n return summarize_mutation_io(name=object_type_name, type=\n _summarize_object_type(model), required=False)\n",
"role": "user"
},
{
"content": "summarize_o_mutation_type",
"role": "assistant"
}
] |
def x(model):
model_fields = {field.name: field for field in list(model.fields())}
return {'fields': [{'name': key, 'type': type(convert_peewee_field(
value)).__name__} for key, value in model_fields.items()]}
|
summarize_object_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model):\n model_fields = {field.name: field for field in list(model.fields())}\n return {'fields': [{'name': key, 'type': type(convert_peewee_field(\n value)).__name__} for key, value in model_fields.items()]}\n",
"role": "user"
},
{
"content": "summarize_object_type",
"role": "assistant"
}
] |
def x(*handlers):
for handler in handlers:
if not (iscoroutinefunction(handler) or iscoroutine(handler)):
raise ValueError('Provided handler is not a coroutine: %s' %
handler)
async def combined_handler(*args, **kwds):
for handler in handlers:
await handler(*args, **kwds)
return combined_handler
|
combine_action_handlers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*handlers):\n for handler in handlers:\n if not (iscoroutinefunction(handler) or iscoroutine(handler)):\n raise ValueError('Provided handler is not a coroutine: %s' %\n handler)\n\n async def combined_handler(*args, **kwds):\n for handler in handlers:\n await handler(*args, **kwds)\n return combined_handler\n",
"role": "user"
},
{
"content": "combine_action_handlers",
"role": "assistant"
}
] |
def x(Model, name=None, **kwds):
async def action_handler(service, action_type, payload, props, notify=
True, **kwds):
if action_type == get_crud_action('update', name or Model):
try:
message_props = {}
if 'correlation_id' in props:
message_props['correlation_id'] = props['correlation_id']
pk_field = Model.primary_key()
if not pk_field.name in payload:
raise ValueError(
'Must specify the pk of the model when updating')
model = Model.select().where(pk_field == payload[pk_field.name]
).get()
payload.pop(pk_field.name, None)
for key, value in payload.items():
setattr(model, key, value)
model.save()
if notify:
await service.event_broker.send(payload=ModelSerializer
().serialize(model), action_type=
change_action_status(action_type, success_status()),
**message_props)
except Exception as err:
if notify:
await service.event_broker.send(payload=str(err),
action_type=change_action_status(action_type,
error_status()), **message_props)
else:
raise err
return action_handler
|
update_handler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Model, name=None, **kwds):\n\n async def action_handler(service, action_type, payload, props, notify=\n True, **kwds):\n if action_type == get_crud_action('update', name or Model):\n try:\n message_props = {}\n if 'correlation_id' in props:\n message_props['correlation_id'] = props['correlation_id']\n pk_field = Model.primary_key()\n if not pk_field.name in payload:\n raise ValueError(\n 'Must specify the pk of the model when updating')\n model = Model.select().where(pk_field == payload[pk_field.name]\n ).get()\n payload.pop(pk_field.name, None)\n for key, value in payload.items():\n setattr(model, key, value)\n model.save()\n if notify:\n await service.event_broker.send(payload=ModelSerializer\n ().serialize(model), action_type=\n change_action_status(action_type, success_status()),\n **message_props)\n except Exception as err:\n if notify:\n await service.event_broker.send(payload=str(err),\n action_type=change_action_status(action_type,\n error_status()), **message_props)\n else:\n raise err\n return action_handler\n",
"role": "user"
},
{
"content": "update_handler",
"role": "assistant"
}
] |
def x(summary):
mutation_name = summary['name']
input_name = mutation_name + 'Input'
input_fields = build_native_type_dictionary(summary['inputs'], name=
input_name, respect_required=True)
inputs = type('Input', (object,), input_fields)
output_name = mutation_name + 'Output'
outputs = build_native_type_dictionary(summary['outputs'], name=output_name
)
mutate = classmethod(lambda *_, **__: 'hello')
mutation = type(mutation_name, (graphene.Mutation,), {'Input': inputs,
'mutate': mutate, **outputs})
return mutation
|
graphql_mutation_from_summary
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(summary):\n mutation_name = summary['name']\n input_name = mutation_name + 'Input'\n input_fields = build_native_type_dictionary(summary['inputs'], name=\n input_name, respect_required=True)\n inputs = type('Input', (object,), input_fields)\n output_name = mutation_name + 'Output'\n outputs = build_native_type_dictionary(summary['outputs'], name=output_name\n )\n mutate = classmethod(lambda *_, **__: 'hello')\n mutation = type(mutation_name, (graphene.Mutation,), {'Input': inputs,\n 'mutate': mutate, **outputs})\n return mutation\n",
"role": "user"
},
{
"content": "graphql_mutation_from_summary",
"role": "assistant"
}
] |
def x(arg_dict, **kwds):
filters = {**arg_dict, **kwds}
return ', '.join('{}: {}'.format(key, json.dumps(value)) for key, value in
filters.items())
|
arg_string_from_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(arg_dict, **kwds):\n filters = {**arg_dict, **kwds}\n return ', '.join('{}: {}'.format(key, json.dumps(value)) for key, value in\n filters.items())\n",
"role": "user"
},
{
"content": "arg_string_from_dict",
"role": "assistant"
}
] |
def x(target_model):
from nautilus.database import db
schema = graphene.Schema(auto_camelcase=False)
primary_key = target_model.primary_key()
primary_key_type = convert_peewee_field(primary_key)
class ModelObjectType(PeeweeObjectType):
class Meta:
model = target_model
pk = Field(primary_key_type, description=
'The primary key for this object.')
@graphene.resolve_only_args
def x(self):
return getattr(self, self.primary_key().name)
class Query(graphene.ObjectType):
""" the root level query """
all_models = List(ModelObjectType, args=args_for_model(target_model))
@graphene.resolve_only_args
def x(self, **args):
return filter_model(target_model, args)
schema.query = Query
return schema
|
create_model_schema
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(target_model):\n from nautilus.database import db\n schema = graphene.Schema(auto_camelcase=False)\n primary_key = target_model.primary_key()\n primary_key_type = convert_peewee_field(primary_key)\n\n\n class ModelObjectType(PeeweeObjectType):\n\n\n class Meta:\n model = target_model\n pk = Field(primary_key_type, description=\n 'The primary key for this object.')\n\n @graphene.resolve_only_args\n def x(self):\n return getattr(self, self.primary_key().name)\n\n\n class Query(graphene.ObjectType):\n \"\"\" the root level query \"\"\"\n all_models = List(ModelObjectType, args=args_for_model(target_model))\n\n @graphene.resolve_only_args\n def x(self, **args):\n return filter_model(target_model, args)\n schema.query = Query\n return schema\n",
"role": "user"
},
{
"content": "create_model_schema",
"role": "assistant"
}
] |
def x(service, *args):
if isinstance(service, str):
return service
return normalize_string(type(service).__name__)
|
connection_service_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(service, *args):\n if isinstance(service, str):\n return service\n return normalize_string(type(service).__name__)\n",
"role": "user"
},
{
"content": "connection_service_name",
"role": "assistant"
}
] |
def x(secret_key, token):
return jwt.decode(token.encode('utf-8'), secret_key, algorithms=[
token_encryption_algorithm()])
|
read_session_token
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(secret_key, token):\n return jwt.decode(token.encode('utf-8'), secret_key, algorithms=[\n token_encryption_algorithm()])\n",
"role": "user"
},
{
"content": "read_session_token",
"role": "assistant"
}
] |
async def handle_action(self, action_type, payload, **kwds):
"""
The default action Handler has no action.
"""
if hasattr(self, 'service'):
await roll_call_handler(self.service, action_type, payload, **kwds)
|
handle_action
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def handle_action(self, action_type, payload, **kwds):\n \"\"\"\n The default action Handler has no action.\n \"\"\"\n if hasattr(self, 'service'):\n await roll_call_handler(self.service, action_type, payload, **kwds)\n",
"role": "user"
},
{
"content": "handle_action",
"role": "assistant"
}
] |
async def announce(self):
"""
This method is used to announce the existence of the service
"""
await self.event_broker.send(action_type=intialize_service_action(),
payload=json.dumps(self.summarize()))
|
announce
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def announce(self):\n \"\"\"\n This method is used to announce the existence of the service\n \"\"\"\n await self.event_broker.send(action_type=intialize_service_action(),\n payload=json.dumps(self.summarize()))\n",
"role": "user"
},
{
"content": "announce",
"role": "assistant"
}
] |
def x(self, host='localhost', port=8000, shutdown_timeout=60.0, **kwargs):
print('Running service on http://localhost:%i. ' % port +
'Press Ctrl+C to terminate.')
self.config.port = port
self.config.host = host
try:
if self.event_broker:
self.event_broker.start()
self.loop.run_until_complete(self.announce())
http_handler = self.app.make_handler()
self._http_server = self.loop.create_server(http_handler, host, port)
self._server_handler = self.loop.run_until_complete(self._http_server)
self.loop.run_forever()
except KeyboardInterrupt:
pass
finally:
try:
self.cleanup()
except UnboundLocalError:
pass
self.loop.close()
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, host='localhost', port=8000, shutdown_timeout=60.0, **kwargs):\n print('Running service on http://localhost:%i. ' % port +\n 'Press Ctrl+C to terminate.')\n self.config.port = port\n self.config.host = host\n try:\n if self.event_broker:\n self.event_broker.start()\n self.loop.run_until_complete(self.announce())\n http_handler = self.app.make_handler()\n self._http_server = self.loop.create_server(http_handler, host, port)\n self._server_handler = self.loop.run_until_complete(self._http_server)\n self.loop.run_forever()\n except KeyboardInterrupt:\n pass\n finally:\n try:\n self.cleanup()\n except UnboundLocalError:\n pass\n self.loop.close()\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self):
if self.event_broker:
self.event_broker.stop()
try:
self._server_handler.close()
self.loop.run_until_complete(self._server_handler.wait_closed())
self.loop.run_until_complete(self._http_handler.finish_connections(
shutdown_timeout))
except AttributeError:
pass
self.loop.run_until_complete(self.app.shutdown())
self.loop.run_until_complete(self.app.cleanup())
|
cleanup
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.event_broker:\n self.event_broker.stop()\n try:\n self._server_handler.close()\n self.loop.run_until_complete(self._server_handler.wait_closed())\n self.loop.run_until_complete(self._http_handler.finish_connections(\n shutdown_timeout))\n except AttributeError:\n pass\n self.loop.run_until_complete(self.app.shutdown())\n self.loop.run_until_complete(self.app.cleanup())\n",
"role": "user"
},
{
"content": "cleanup",
"role": "assistant"
}
] |
def x(self, url, request_handler):
self.app.router.add_route('*', url, request_handler)
|
add_http_endpoint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, request_handler):\n self.app.router.add_route('*', url, request_handler)\n",
"role": "user"
},
{
"content": "add_http_endpoint",
"role": "assistant"
}
] |
def x(cls, route, config=None):
def x(wrapped_class, **kwds):
cls._routes.append(dict(url=route, request_handler=wrapped_class))
return wrapped_class
return decorator
|
route
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, route, config=None):\n\n def x(wrapped_class, **kwds):\n cls._routes.append(dict(url=route, request_handler=wrapped_class))\n return wrapped_class\n return decorator\n",
"role": "user"
},
{
"content": "route",
"role": "assistant"
}
] |
def x(secret_key, **payload):
return jwt.encode(payload, secret_key, algorithm=
token_encryption_algorithm()).decode('utf-8')
|
generate_session_token
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(secret_key, **payload):\n return jwt.encode(payload, secret_key, algorithm=\n token_encryption_algorithm()).decode('utf-8')\n",
"role": "user"
},
{
"content": "generate_session_token",
"role": "assistant"
}
] |
def x(mutation_name, event, inputs, outputs, isAsync=False):
return dict(name=mutation_name, event=event, isAsync=isAsync, inputs=
inputs, outputs=outputs)
|
summarize_mutation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mutation_name, event, inputs, outputs, isAsync=False):\n return dict(name=mutation_name, event=event, isAsync=isAsync, inputs=\n inputs, outputs=outputs)\n",
"role": "user"
},
{
"content": "summarize_mutation",
"role": "assistant"
}
] |
def x(cls, password, rounds):
if isinstance(password, str):
password = password.encode('utf-8')
return cls(cls._new(password, rounds))
|
new
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, password, rounds):\n if isinstance(password, str):\n password = password.encode('utf-8')\n return cls(cls._new(password, rounds))\n",
"role": "user"
},
{
"content": "new",
"role": "assistant"
}
] |
def x(cls, key, value):
if isinstance(value, PasswordHash):
return value
return super(PasswordHash, cls).coerce(key, value)
|
coerce
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, key, value):\n if isinstance(value, PasswordHash):\n return value\n return super(PasswordHash, cls).coerce(key, value)\n",
"role": "user"
},
{
"content": "coerce",
"role": "assistant"
}
] |
def x(self, password):
self.hash = self._new(password, self.desired_rounds)
self.rounds = self.desired_rounds
|
rehash
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, password):\n self.hash = self._new(password, self.desired_rounds)\n self.rounds = self.desired_rounds\n",
"role": "user"
},
{
"content": "rehash",
"role": "assistant"
}
] |
def x(self):
db_url = self.config.get('database_url', 'sqlite:///nautilus.db')
nautilus.database.init_db(db_url)
|
init_db
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n db_url = self.config.get('database_url', 'sqlite:///nautilus.db')\n nautilus.database.init_db(db_url)\n",
"role": "user"
},
{
"content": "init_db",
"role": "assistant"
}
] |
def x(self):
auth = {}
for attr in dir(self):
if attr != 'auth_criteria':
attribute = getattr(self, attr)
if isinstance(attribute, Callable) and hasattr(attribute,
'_service_auth'):
auth[getattr(self, attr)._service_auth] = attribute
return auth
|
auth_criteria
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n auth = {}\n for attr in dir(self):\n if attr != 'auth_criteria':\n attribute = getattr(self, attr)\n if isinstance(attribute, Callable) and hasattr(attribute,\n '_service_auth'):\n auth[getattr(self, attr)._service_auth] = attribute\n return auth\n",
"role": "user"
},
{
"content": "auth_criteria",
"role": "assistant"
}
] |
async def login_user(self, password, **kwds):
"""
This function handles the registration of the given user credentials in the database
"""
user_data = (await self._get_matching_user(fields=list(kwds.keys()), **
kwds))['data']
try:
passwordEntry = self.model.select().where(self.model.user ==
user_data[root_query()][0]['pk'])[0]
except (KeyError, IndexError) as e:
raise RuntimeError('Could not find matching registered user')
if passwordEntry and passwordEntry.password == password:
user = user_data[root_query()][0]
return {'user': user, 'sessionToken': self._user_session_token(user)}
raise RuntimeError('Incorrect credentials')
|
login_user
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def login_user(self, password, **kwds):\n \"\"\"\n This function handles the registration of the given user credentials in the database\n \"\"\"\n user_data = (await self._get_matching_user(fields=list(kwds.keys()), **\n kwds))['data']\n try:\n passwordEntry = self.model.select().where(self.model.user ==\n user_data[root_query()][0]['pk'])[0]\n except (KeyError, IndexError) as e:\n raise RuntimeError('Could not find matching registered user')\n if passwordEntry and passwordEntry.password == password:\n user = user_data[root_query()][0]\n return {'user': user, 'sessionToken': self._user_session_token(user)}\n raise RuntimeError('Incorrect credentials')\n",
"role": "user"
},
{
"content": "login_user",
"role": "assistant"
}
] |
async def register_user(self, password, **kwds):
"""
This function is used to provide a sessionToken for later requests.
Args:
uid (str): The
"""
user = await self._create_remote_user(password=password, **kwds)
if not 'pk' in user:
user['pk'] = user['id']
match_query = self.model.user == user['id']
if self.model.select().where(match_query).count() > 0:
raise RuntimeError('The user is already registered.')
password = self.model(user=user['id'], password=password)
password.save()
return {'user': user, 'sessionToken': self._user_session_token(user)}
|
register_user
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def register_user(self, password, **kwds):\n \"\"\"\n This function is used to provide a sessionToken for later requests.\n\n Args:\n uid (str): The\n \"\"\"\n user = await self._create_remote_user(password=password, **kwds)\n if not 'pk' in user:\n user['pk'] = user['id']\n match_query = self.model.user == user['id']\n if self.model.select().where(match_query).count() > 0:\n raise RuntimeError('The user is already registered.')\n password = self.model(user=user['id'], password=password)\n password.save()\n return {'user': user, 'sessionToken': self._user_session_token(user)}\n",
"role": "user"
},
{
"content": "register_user",
"role": "assistant"
}
] |
async def object_resolver(self, object_name, fields, obey_auth=False,
current_user=None, **filters):
"""
This function resolves a given object in the remote backend services
"""
try:
registered = [model for model in self._external_service_data[
'models'] if model['name'] == object_name][0]
except AttributeError:
raise ValueError('No objects are registered with this schema yet.')
except IndexError:
raise ValueError('Cannot query for object {} on this service.'.
format(object_name))
valid_fields = [field['name'] for field in registered['fields']]
invalid_fields = [field for field in fields if field not in valid_fields]
try:
invalid_fields.remove('pk')
except ValueError:
pass
if invalid_fields:
raise ValueError('Cannot query for fields {!r} on {}'.format(
invalid_fields, registered['name']))
fields.append('pk')
query = query_for_model(fields, **filters)
action_type = get_crud_action('read', object_name)
response = await self.event_broker.ask(action_type=action_type, payload
=query)
response_data = json.loads(response)
if 'errors' in response_data and response_data['errors']:
raise ValueError(','.join(response_data['errors']))
result = response_data['data'][root_query()]
auth_criteria = self.auth_criteria.get(object_name)
if obey_auth and auth_criteria:
authorized_results = []
for query_result in result:
graph_entity = GraphEntity(self, model_type=object_name, id=
query_result['pk'])
if await auth_criteria(model=graph_entity, user_id=current_user):
authorized_results.append(query_result)
result = authorized_results
return result
|
object_resolver
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def object_resolver(self, object_name, fields, obey_auth=False,\n current_user=None, **filters):\n \"\"\"\n This function resolves a given object in the remote backend services\n \"\"\"\n try:\n registered = [model for model in self._external_service_data[\n 'models'] if model['name'] == object_name][0]\n except AttributeError:\n raise ValueError('No objects are registered with this schema yet.')\n except IndexError:\n raise ValueError('Cannot query for object {} on this service.'.\n format(object_name))\n valid_fields = [field['name'] for field in registered['fields']]\n invalid_fields = [field for field in fields if field not in valid_fields]\n try:\n invalid_fields.remove('pk')\n except ValueError:\n pass\n if invalid_fields:\n raise ValueError('Cannot query for fields {!r} on {}'.format(\n invalid_fields, registered['name']))\n fields.append('pk')\n query = query_for_model(fields, **filters)\n action_type = get_crud_action('read', object_name)\n response = await self.event_broker.ask(action_type=action_type, payload\n =query)\n response_data = json.loads(response)\n if 'errors' in response_data and response_data['errors']:\n raise ValueError(','.join(response_data['errors']))\n result = response_data['data'][root_query()]\n auth_criteria = self.auth_criteria.get(object_name)\n if obey_auth and auth_criteria:\n authorized_results = []\n for query_result in result:\n graph_entity = GraphEntity(self, model_type=object_name, id=\n query_result['pk'])\n if await auth_criteria(model=graph_entity, user_id=current_user):\n authorized_results.append(query_result)\n result = authorized_results\n return result\n",
"role": "user"
},
{
"content": "object_resolver",
"role": "assistant"
}
] |
async def mutation_resolver(self, mutation_name, args, fields):
"""
the default behavior for mutations is to look up the event,
publish the correct event type with the args as the body,
and return the fields contained in the result
"""
try:
mutation_summary = [mutation for mutation in self.
_external_service_data['mutations'] if mutation['name'] ==
mutation_name][0]
except KeyError as e:
raise ValueError('Could not execute mutation named: ' + mutation_name)
event_function = self.event_broker.ask
value = await event_function(action_type=mutation_summary['event'],
payload=args)
try:
return json.loads(value)
except json.decoder.JSONDecodeError:
raise RuntimeError(value)
|
mutation_resolver
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def mutation_resolver(self, mutation_name, args, fields):\n \"\"\"\n the default behavior for mutations is to look up the event,\n publish the correct event type with the args as the body,\n and return the fields contained in the result\n \"\"\"\n try:\n mutation_summary = [mutation for mutation in self.\n _external_service_data['mutations'] if mutation['name'] ==\n mutation_name][0]\n except KeyError as e:\n raise ValueError('Could not execute mutation named: ' + mutation_name)\n event_function = self.event_broker.ask\n value = await event_function(action_type=mutation_summary['event'],\n payload=args)\n try:\n return json.loads(value)\n except json.decoder.JSONDecodeError:\n raise RuntimeError(value)\n",
"role": "user"
},
{
"content": "mutation_resolver",
"role": "assistant"
}
] |
async def _check_for_matching_user(self, **user_filters):
"""
This function checks if there is a user with the same uid in the
remote user service
Args:
**kwds : the filters of the user to check for
Returns:
(bool): wether or not there is a matching user
"""
user_data = self._get_matching_user(user_filters)
return not user_data['errors'] and len(user_data['data'][root_query()])
|
check_for_matching_user
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def _check_for_matching_user(self, **user_filters):\n \"\"\"\n This function checks if there is a user with the same uid in the\n remote user service\n Args:\n **kwds : the filters of the user to check for\n Returns:\n (bool): wether or not there is a matching user\n \"\"\"\n user_data = self._get_matching_user(user_filters)\n return not user_data['errors'] and len(user_data['data'][root_query()])\n",
"role": "user"
},
{
"content": "check_for_matching_user",
"role": "assistant"
}
] |
async def _create_remote_user(self, **payload):
"""
This method creates a service record in the remote user service
with the given email.
Args:
uid (str): the user identifier to create
Returns:
(dict): a summary of the user that was created
"""
read_action = get_crud_action(method='create', model='user')
user_data = await self.event_broker.ask(action_type=read_action,
payload=payload)
return json.loads(user_data)
|
create_remote_user
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def _create_remote_user(self, **payload):\n \"\"\"\n This method creates a service record in the remote user service\n with the given email.\n Args:\n uid (str): the user identifier to create\n Returns:\n (dict): a summary of the user that was created\n \"\"\"\n read_action = get_crud_action(method='create', model='user')\n user_data = await self.event_broker.ask(action_type=read_action,\n payload=payload)\n return json.loads(user_data)\n",
"role": "user"
},
{
"content": "create_remote_user",
"role": "assistant"
}
] |
def x(reference, hypothesis):
import numpy
d = numpy.zeros((len(reference) + 1) * (len(hypothesis) + 1), dtype=
numpy.uint8)
d = d.reshape((len(reference) + 1, len(hypothesis) + 1))
for i in range(len(reference) + 1):
for j in range(len(hypothesis) + 1):
if i == 0:
d[0][j] = j
elif j == 0:
d[i][0] = i
for i in range(1, len(reference) + 1):
for j in range(1, len(hypothesis) + 1):
if reference[i - 1] == hypothesis[j - 1]:
d[i][j] = d[i - 1][j - 1]
else:
substitution = d[i - 1][j - 1] + 1
insertion = d[i][j - 1] + 1
deletion = d[i - 1][j] + 1
d[i][j] = min(substitution, insertion, deletion)
return d[len(reference)][len(hypothesis)] / float(len(reference))
|
calculate_wer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reference, hypothesis):\n import numpy\n d = numpy.zeros((len(reference) + 1) * (len(hypothesis) + 1), dtype=\n numpy.uint8)\n d = d.reshape((len(reference) + 1, len(hypothesis) + 1))\n for i in range(len(reference) + 1):\n for j in range(len(hypothesis) + 1):\n if i == 0:\n d[0][j] = j\n elif j == 0:\n d[i][0] = i\n for i in range(1, len(reference) + 1):\n for j in range(1, len(hypothesis) + 1):\n if reference[i - 1] == hypothesis[j - 1]:\n d[i][j] = d[i - 1][j - 1]\n else:\n substitution = d[i - 1][j - 1] + 1\n insertion = d[i][j - 1] + 1\n deletion = d[i - 1][j] + 1\n d[i][j] = min(substitution, insertion, deletion)\n return d[len(reference)][len(hypothesis)] / float(len(reference))\n",
"role": "user"
},
{
"content": "calculate_wer",
"role": "assistant"
}
] |
def x():
from argparse import ArgumentParser, ArgumentDefaultsHelpFormatter
parser = ArgumentParser(description=__doc__, formatter_class=
ArgumentDefaultsHelpFormatter)
parser.add_argument('-s1', dest='s1', help='sequence 1')
parser.add_argument('-s2', dest='s2', help='sequence 2')
return parser
|
get_parser
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n from argparse import ArgumentParser, ArgumentDefaultsHelpFormatter\n parser = ArgumentParser(description=__doc__, formatter_class=\n ArgumentDefaultsHelpFormatter)\n parser.add_argument('-s1', dest='s1', help='sequence 1')\n parser.add_argument('-s2', dest='s2', help='sequence 2')\n return parser\n",
"role": "user"
},
{
"content": "get_parser",
"role": "assistant"
}
] |
async def _async_request_soup(url):
"""
Perform a GET web request and return a bs4 parser
"""
from bs4 import BeautifulSoup
import aiohttp
_LOGGER.debug('GET %s', url)
async with aiohttp.ClientSession() as session:
resp = await session.get(url)
text = await resp.text()
return BeautifulSoup(text, 'html.parser')
|
async_request_soup
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def _async_request_soup(url):\n \"\"\"\n Perform a GET web request and return a bs4 parser\n \"\"\"\n from bs4 import BeautifulSoup\n import aiohttp\n _LOGGER.debug('GET %s', url)\n async with aiohttp.ClientSession() as session:\n resp = await session.get(url)\n text = await resp.text()\n return BeautifulSoup(text, 'html.parser')\n",
"role": "user"
},
{
"content": "async_request_soup",
"role": "assistant"
}
] |
async def async_determine_channel(channel):
"""
Check whether the current channel is correct. If not try to determine it
using fuzzywuzzy
"""
from fuzzywuzzy import process
channel_data = await async_get_channels()
if not channel_data:
_LOGGER.error('No channel data. Cannot determine requested channel.')
return
channels = [c for c in channel_data.get('data', {}).keys()]
if channel in channels:
return channel
else:
res = process.extractOne(channel, channels)[0]
_LOGGER.debug(
'No direct match found for %s. Resort to guesswork.Guessed %s',
channel, res)
return res
|
async_determine_channel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def async_determine_channel(channel):\n \"\"\"\n Check whether the current channel is correct. If not try to determine it\n using fuzzywuzzy\n \"\"\"\n from fuzzywuzzy import process\n channel_data = await async_get_channels()\n if not channel_data:\n _LOGGER.error('No channel data. Cannot determine requested channel.')\n return\n channels = [c for c in channel_data.get('data', {}).keys()]\n if channel in channels:\n return channel\n else:\n res = process.extractOne(channel, channels)[0]\n _LOGGER.debug(\n 'No direct match found for %s. Resort to guesswork.Guessed %s',\n channel, res)\n return res\n",
"role": "user"
},
{
"content": "async_determine_channel",
"role": "assistant"
}
] |
async def async_get_channels(no_cache=False, refresh_interval=4):
"""
Get channel list and corresponding urls
"""
now = datetime.datetime.now()
max_cache_age = datetime.timedelta(hours=refresh_interval)
if not no_cache and 'channels' in _CACHE:
cache = _CACHE.get('channels')
cache_age = cache.get('last_updated')
if now - cache_age < max_cache_age:
_LOGGER.debug('Found channel list in cache.')
return cache
else:
_LOGGER.debug('Found outdated channel list in cache. Update it.')
_CACHE.pop('channels')
soup = await _async_request_soup(BASE_URL + '/plan.html')
channels = {}
for li_item in soup.find_all('li'):
try:
child = li_item.findChild()
if not child or child.name != 'a':
continue
href = child.get('href')
if not href or not href.startswith('/programme/chaine'):
continue
channels[child.get('title')] = BASE_URL + href
except Exception as exc:
_LOGGER.error(
'Exception occured while fetching the channel list: %s', exc)
if channels:
_CACHE['channels'] = {'last_updated': now, 'data': channels}
return _CACHE['channels']
|
async_get_channels
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def async_get_channels(no_cache=False, refresh_interval=4):\n \"\"\"\n Get channel list and corresponding urls\n \"\"\"\n now = datetime.datetime.now()\n max_cache_age = datetime.timedelta(hours=refresh_interval)\n if not no_cache and 'channels' in _CACHE:\n cache = _CACHE.get('channels')\n cache_age = cache.get('last_updated')\n if now - cache_age < max_cache_age:\n _LOGGER.debug('Found channel list in cache.')\n return cache\n else:\n _LOGGER.debug('Found outdated channel list in cache. Update it.')\n _CACHE.pop('channels')\n soup = await _async_request_soup(BASE_URL + '/plan.html')\n channels = {}\n for li_item in soup.find_all('li'):\n try:\n child = li_item.findChild()\n if not child or child.name != 'a':\n continue\n href = child.get('href')\n if not href or not href.startswith('/programme/chaine'):\n continue\n channels[child.get('title')] = BASE_URL + href\n except Exception as exc:\n _LOGGER.error(\n 'Exception occured while fetching the channel list: %s', exc)\n if channels:\n _CACHE['channels'] = {'last_updated': now, 'data': channels}\n return _CACHE['channels']\n",
"role": "user"
},
{
"content": "async_get_channels",
"role": "assistant"
}
] |
def x(img_url, img_size=300):
match = re.match('.+/(\\d+)x(\\d+)/.+', img_url)
if not match:
_LOGGER.warning('Could not compute current image resolution of %s',
img_url)
return img_url
res_x = int(match.group(1))
res_y = int(match.group(2))
target_res_y = int(img_size * res_y / res_x)
return re.sub('{}x{}'.format(res_x, res_y), '{}x{}'.format(img_size,
target_res_y), img_url)
|
resize_program_image
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(img_url, img_size=300):\n match = re.match('.+/(\\\\d+)x(\\\\d+)/.+', img_url)\n if not match:\n _LOGGER.warning('Could not compute current image resolution of %s',\n img_url)\n return img_url\n res_x = int(match.group(1))\n res_y = int(match.group(2))\n target_res_y = int(img_size * res_y / res_x)\n return re.sub('{}x{}'.format(res_x, res_y), '{}x{}'.format(img_size,\n target_res_y), img_url)\n",
"role": "user"
},
{
"content": "resize_program_image",
"role": "assistant"
}
] |
def x(program):
now = datetime.datetime.now()
program_duration = get_program_duration(program)
if not program_duration:
return
progress = now - program.get('start_time')
return progress.seconds * 100 / program_duration
|
get_current_program_progress
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(program):\n now = datetime.datetime.now()\n program_duration = get_program_duration(program)\n if not program_duration:\n return\n progress = now - program.get('start_time')\n return progress.seconds * 100 / program_duration\n",
"role": "user"
},
{
"content": "get_current_program_progress",
"role": "assistant"
}
] |
def x(program):
program_start = program.get('start_time')
program_end = program.get('end_time')
if not program_start or not program_end:
_LOGGER.error('Could not determine program start and/or end times.')
_LOGGER.debug('Program data: %s', program)
return
program_duration = program_end - program_start
return program_duration.seconds
|
get_program_duration
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(program):\n program_start = program.get('start_time')\n program_end = program.get('end_time')\n if not program_start or not program_end:\n _LOGGER.error('Could not determine program start and/or end times.')\n _LOGGER.debug('Program data: %s', program)\n return\n program_duration = program_end - program_start\n return program_duration.seconds\n",
"role": "user"
},
{
"content": "get_program_duration",
"role": "assistant"
}
] |
def x(program):
now = datetime.datetime.now()
program_start = program.get('start_time')
program_end = program.get('end_time')
if not program_start or not program_end:
_LOGGER.error('Could not determine program start and/or end times.')
_LOGGER.debug('Program data: %s', program)
return
if now > program_end:
_LOGGER.error('The provided program has already ended.')
_LOGGER.debug('Program data: %s', program)
return 0
progress = now - program_start
return progress.seconds
|
get_remaining_time
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(program):\n now = datetime.datetime.now()\n program_start = program.get('start_time')\n program_end = program.get('end_time')\n if not program_start or not program_end:\n _LOGGER.error('Could not determine program start and/or end times.')\n _LOGGER.debug('Program data: %s', program)\n return\n if now > program_end:\n _LOGGER.error('The provided program has already ended.')\n _LOGGER.debug('Program data: %s', program)\n return 0\n progress = now - program_start\n return progress.seconds\n",
"role": "user"
},
{
"content": "get_remaining_time",
"role": "assistant"
}
] |
def x(data):
from bs4 import BeautifulSoup
soup = BeautifulSoup(data, 'html.parser')
try:
return soup.find('div', {'class': 'episode-synopsis'}).find_all('div')[
-1].text.strip()
except Exception:
_LOGGER.info('No summary found for program: %s', soup.find('a', {
'class': 'prog_name'}))
return 'No summary'
|
extract_program_summary
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n from bs4 import BeautifulSoup\n soup = BeautifulSoup(data, 'html.parser')\n try:\n return soup.find('div', {'class': 'episode-synopsis'}).find_all('div')[\n -1].text.strip()\n except Exception:\n _LOGGER.info('No summary found for program: %s', soup.find('a', {\n 'class': 'prog_name'}))\n return 'No summary'\n",
"role": "user"
},
{
"content": "extract_program_summary",
"role": "assistant"
}
] |
async def async_set_summary(program):
"""
Set a program's summary
"""
import aiohttp
async with aiohttp.ClientSession() as session:
resp = await session.get(program.get('url'))
text = await resp.text()
summary = extract_program_summary(text)
program['summary'] = summary
return program
|
async_set_summary
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def async_set_summary(program):\n \"\"\"\n Set a program's summary\n \"\"\"\n import aiohttp\n async with aiohttp.ClientSession() as session:\n resp = await session.get(program.get('url'))\n text = await resp.text()\n summary = extract_program_summary(text)\n program['summary'] = summary\n return program\n",
"role": "user"
},
{
"content": "async_set_summary",
"role": "assistant"
}
] |
async def async_get_program_guide(channel, no_cache=False, refresh_interval=4):
"""
Get the program data for a channel
"""
chan = await async_determine_channel(channel)
now = datetime.datetime.now()
max_cache_age = datetime.timedelta(hours=refresh_interval)
if not no_cache and 'guide' in _CACHE and _CACHE.get('guide').get(chan):
cache = _CACHE.get('guide').get(chan)
cache_age = cache.get('last_updated')
if now - cache_age < max_cache_age:
_LOGGER.debug('Found program guide in cache.')
return cache.get('data')
else:
_LOGGER.debug('Found outdated program guide in cache. Update it.')
_CACHE['guide'].pop(chan)
chans = await async_get_channels()
url = chans.get('data', {}).get(chan)
if not url:
_LOGGER.error('Could not determine URL for %s', chan)
return
soup = await _async_request_soup(url)
programs = []
for prg_item in soup.find_all('div', {'class': 'program-infos'}):
try:
prog_info = prg_item.find('a', {'class': 'prog_name'})
prog_name = prog_info.text.strip()
prog_url = prog_info.get('href')
if not prog_url:
_LOGGER.warning(
'Failed to retrive the detail URL for program %s. The summary will be empty'
, prog_name)
prog_type = prg_item.find('span', {'class': 'prog_type'}
).text.strip()
prog_times = prg_item.find('div', {'class': 'prog_progress'})
prog_start = datetime.datetime.fromtimestamp(int(prog_times.get
('data-start')))
prog_end = datetime.datetime.fromtimestamp(int(prog_times.get(
'data-end')))
img = prg_item.find_previous_sibling().find('img', {'class':
'prime_broadcast_image'})
prog_img = img.get('data-src') if img else None
programs.append({'name': prog_name, 'type': prog_type, 'img':
prog_img, 'url': prog_url, 'summary': None, 'start_time':
prog_start, 'end_time': prog_end})
except Exception as exc:
_LOGGER.error(
'Exception occured while fetching the program guide for channel %s: %s'
, chan, exc)
import traceback
traceback.print_exc()
tasks = [async_set_summary(prog) for prog in programs]
programs = await asyncio.gather(*tasks)
if programs:
if 'guide' not in _CACHE:
_CACHE['guide'] = {}
_CACHE['guide'][chan] = {'last_updated': now, 'data': programs}
return programs
|
async_get_program_guide
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def async_get_program_guide(channel, no_cache=False, refresh_interval=4):\n \"\"\"\n Get the program data for a channel\n \"\"\"\n chan = await async_determine_channel(channel)\n now = datetime.datetime.now()\n max_cache_age = datetime.timedelta(hours=refresh_interval)\n if not no_cache and 'guide' in _CACHE and _CACHE.get('guide').get(chan):\n cache = _CACHE.get('guide').get(chan)\n cache_age = cache.get('last_updated')\n if now - cache_age < max_cache_age:\n _LOGGER.debug('Found program guide in cache.')\n return cache.get('data')\n else:\n _LOGGER.debug('Found outdated program guide in cache. Update it.')\n _CACHE['guide'].pop(chan)\n chans = await async_get_channels()\n url = chans.get('data', {}).get(chan)\n if not url:\n _LOGGER.error('Could not determine URL for %s', chan)\n return\n soup = await _async_request_soup(url)\n programs = []\n for prg_item in soup.find_all('div', {'class': 'program-infos'}):\n try:\n prog_info = prg_item.find('a', {'class': 'prog_name'})\n prog_name = prog_info.text.strip()\n prog_url = prog_info.get('href')\n if not prog_url:\n _LOGGER.warning(\n 'Failed to retrive the detail URL for program %s. The summary will be empty'\n , prog_name)\n prog_type = prg_item.find('span', {'class': 'prog_type'}\n ).text.strip()\n prog_times = prg_item.find('div', {'class': 'prog_progress'})\n prog_start = datetime.datetime.fromtimestamp(int(prog_times.get\n ('data-start')))\n prog_end = datetime.datetime.fromtimestamp(int(prog_times.get(\n 'data-end')))\n img = prg_item.find_previous_sibling().find('img', {'class':\n 'prime_broadcast_image'})\n prog_img = img.get('data-src') if img else None\n programs.append({'name': prog_name, 'type': prog_type, 'img':\n prog_img, 'url': prog_url, 'summary': None, 'start_time':\n prog_start, 'end_time': prog_end})\n except Exception as exc:\n _LOGGER.error(\n 'Exception occured while fetching the program guide for channel %s: %s'\n , chan, exc)\n import traceback\n traceback.print_exc()\n tasks = [async_set_summary(prog) for prog in programs]\n programs = await asyncio.gather(*tasks)\n if programs:\n if 'guide' not in _CACHE:\n _CACHE['guide'] = {}\n _CACHE['guide'][chan] = {'last_updated': now, 'data': programs}\n return programs\n",
"role": "user"
},
{
"content": "async_get_program_guide",
"role": "assistant"
}
] |
async def async_get_current_program(channel, no_cache=False):
"""
Get the current program info
"""
chan = await async_determine_channel(channel)
guide = await async_get_program_guide(chan, no_cache)
if not guide:
_LOGGER.warning('Could not retrieve TV program for %s', channel)
return
now = datetime.datetime.now()
for prog in guide:
start = prog.get('start_time')
end = prog.get('end_time')
if now > start and now < end:
return prog
|
async_get_current_program
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def async_get_current_program(channel, no_cache=False):\n \"\"\"\n Get the current program info\n \"\"\"\n chan = await async_determine_channel(channel)\n guide = await async_get_program_guide(chan, no_cache)\n if not guide:\n _LOGGER.warning('Could not retrieve TV program for %s', channel)\n return\n now = datetime.datetime.now()\n for prog in guide:\n start = prog.get('start_time')\n end = prog.get('end_time')\n if now > start and now < end:\n return prog\n",
"role": "user"
},
{
"content": "async_get_current_program",
"role": "assistant"
}
] |
def x(self, distribution, storage=''):
try:
return self._publishes[distribution]
except KeyError:
self._publishes[distribution] = Publish(self.client, distribution,
timestamp=self.timestamp, storage=storage or self.storage)
return self._publishes[distribution]
|
publish
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, distribution, storage=''):\n try:\n return self._publishes[distribution]\n except KeyError:\n self._publishes[distribution] = Publish(self.client, distribution,\n timestamp=self.timestamp, storage=storage or self.storage)\n return self._publishes[distribution]\n",
"role": "user"
},
{
"content": "publish",
"role": "assistant"
}
] |
def x(self, snapshot, distributions, component='main', storage=''):
for dist in distributions:
self.publish(dist, storage=storage).add(snapshot, component)
|
add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, snapshot, distributions, component='main', storage=''):\n for dist in distributions:\n self.publish(dist, storage=storage).add(snapshot, component)\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.