source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, project, name=None, strategy=None):
strategy = strategy or AppCopyStrategy.CLONE
project = Transform.to_project(project)
data = {'project': project, 'strategy': strategy}
if name:
data['name'] = name
extra = {'resource': self.__class__.__name__, 'query': {'id': self.id,
'data': data}}
logger.info('Copying app', extra=extra)
app = self._api.post(url=self._URL['copy'].format(id=self.id), data=data
).json()
return App(api=self._api, **app)
|
copy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, project, name=None, strategy=None):\n strategy = strategy or AppCopyStrategy.CLONE\n project = Transform.to_project(project)\n data = {'project': project, 'strategy': strategy}\n if name:\n data['name'] = name\n extra = {'resource': self.__class__.__name__, 'query': {'id': self.id,\n 'data': data}}\n logger.info('Copying app', extra=extra)\n app = self._api.post(url=self._URL['copy'].format(id=self.id), data=data\n ).json()\n return App(api=self._api, **app)\n",
"role": "user"
},
{
"content": "copy",
"role": "assistant"
}
] |
def x(self):
app = self._api.post(url=self._URL['sync'].format(id=self.id)).json()
return App(api=self._api, **app)
|
sync
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n app = self._api.post(url=self._URL['sync'].format(id=self.id)).json()\n return App(api=self._api, **app)\n",
"role": "user"
},
{
"content": "sync",
"role": "assistant"
}
] |
def x(self):
from indico_chat.plugin import ChatPlugin
return self.custom_server or ChatPlugin.settings.get('muc_server')
|
server
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from indico_chat.plugin import ChatPlugin\n return self.custom_server or ChatPlugin.settings.get('muc_server')\n",
"role": "user"
},
{
"content": "server",
"role": "assistant"
}
] |
def x(cls, event, include_hidden=False, **kwargs):
query = cls.find(event_id=event.id, **kwargs)
if not include_hidden:
query = query.filter(~cls.hidden)
return query
|
find_for_event
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, event, include_hidden=False, **kwargs):\n query = cls.find(event_id=event.id, **kwargs)\n if not include_hidden:\n query = query.filter(~cls.hidden)\n return query\n",
"role": "user"
},
{
"content": "find_for_event",
"role": "assistant"
}
] |
def x(self, reason=''):
db.session.delete(self)
db.session.flush()
if not self.chatroom.events:
db.session.delete(self.chatroom)
db.session.flush()
delete_room(self.chatroom, reason)
return True
return False
|
delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reason=''):\n db.session.delete(self)\n db.session.flush()\n if not self.chatroom.events:\n db.session.delete(self.chatroom)\n db.session.flush()\n delete_room(self.chatroom, reason)\n return True\n return False\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(obj):
from indico_livesync.models.queue import EntryType
if isinstance(obj, Category):
ref = {'type': EntryType.category, 'category_id': obj.id}
elif isinstance(obj, Event):
ref = {'type': EntryType.event, 'event_id': obj.id}
elif isinstance(obj, Session):
ref = {'type': EntryType.session, 'session_id': obj.id}
elif isinstance(obj, Contribution):
ref = {'type': EntryType.contribution, 'contrib_id': obj.id}
elif isinstance(obj, SubContribution):
ref = {'type': EntryType.subcontribution, 'subcontrib_id': obj.id}
else:
raise ValueError('Unexpected object: {}'.format(obj.__class__.__name__)
)
return ImmutableDict(ref)
|
obj_ref
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n from indico_livesync.models.queue import EntryType\n if isinstance(obj, Category):\n ref = {'type': EntryType.category, 'category_id': obj.id}\n elif isinstance(obj, Event):\n ref = {'type': EntryType.event, 'event_id': obj.id}\n elif isinstance(obj, Session):\n ref = {'type': EntryType.session, 'session_id': obj.id}\n elif isinstance(obj, Contribution):\n ref = {'type': EntryType.contribution, 'contrib_id': obj.id}\n elif isinstance(obj, SubContribution):\n ref = {'type': EntryType.subcontribution, 'subcontrib_id': obj.id}\n else:\n raise ValueError('Unexpected object: {}'.format(obj.__class__.__name__)\n )\n return ImmutableDict(ref)\n",
"role": "user"
},
{
"content": "obj_ref",
"role": "assistant"
}
] |
def x(ref):
from indico_livesync.models.queue import EntryType
if ref['type'] == EntryType.category:
return Category.get_one(ref['category_id'])
elif ref['type'] == EntryType.event:
return Event.get_one(ref['event_id'])
elif ref['type'] == EntryType.session:
return Session.get_one(ref['session_id'])
elif ref['type'] == EntryType.contribution:
return Contribution.get_one(ref['contrib_id'])
elif ref['type'] == EntryType.subcontribution:
return SubContribution.get_one(ref['subcontrib_id'])
else:
raise ValueError('Unexpected object type: {}'.format(ref['type']))
|
obj_deref
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ref):\n from indico_livesync.models.queue import EntryType\n if ref['type'] == EntryType.category:\n return Category.get_one(ref['category_id'])\n elif ref['type'] == EntryType.event:\n return Event.get_one(ref['event_id'])\n elif ref['type'] == EntryType.session:\n return Session.get_one(ref['session_id'])\n elif ref['type'] == EntryType.contribution:\n return Contribution.get_one(ref['contrib_id'])\n elif ref['type'] == EntryType.subcontribution:\n return SubContribution.get_one(ref['subcontrib_id'])\n else:\n raise ValueError('Unexpected object type: {}'.format(ref['type']))\n",
"role": "user"
},
{
"content": "obj_deref",
"role": "assistant"
}
] |
def x():
from indico_livesync.plugin import LiveSyncPlugin
from indico_livesync.models.queue import LiveSyncQueueEntry
queue_entry_ttl = LiveSyncPlugin.settings.get('queue_entry_ttl')
if not queue_entry_ttl:
return
expire_threshold = now_utc() - timedelta(days=queue_entry_ttl)
LiveSyncQueueEntry.find(LiveSyncQueueEntry.processed,
LiveSyncQueueEntry.timestamp < expire_threshold).delete(
synchronize_session='fetch')
|
clean_old_entries
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n from indico_livesync.plugin import LiveSyncPlugin\n from indico_livesync.models.queue import LiveSyncQueueEntry\n queue_entry_ttl = LiveSyncPlugin.settings.get('queue_entry_ttl')\n if not queue_entry_ttl:\n return\n expire_threshold = now_utc() - timedelta(days=queue_entry_ttl)\n LiveSyncQueueEntry.find(LiveSyncQueueEntry.processed, \n LiveSyncQueueEntry.timestamp < expire_threshold).delete(\n synchronize_session='fetch')\n",
"role": "user"
},
{
"content": "clean_old_entries",
"role": "assistant"
}
] |
def x():
from indico_livesync.plugin import LiveSyncPlugin
return {int(x['id']) for x in LiveSyncPlugin.settings.get(
'excluded_categories')}
|
get_excluded_categories
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n from indico_livesync.plugin import LiveSyncPlugin\n return {int(x['id']) for x in LiveSyncPlugin.settings.get(\n 'excluded_categories')}\n",
"role": "user"
},
{
"content": "get_excluded_categories",
"role": "assistant"
}
] |
def x(obj):
if isinstance(obj, (Category, Session)):
raise TypeError('Compound IDs are not supported for this entry type')
elif isinstance(obj, Event):
return unicode(obj.id)
elif isinstance(obj, Contribution):
return '{}.{}'.format(obj.event_id, obj.id)
elif isinstance(obj, SubContribution):
return '{}.{}.{}'.format(obj.contribution.event_id, obj.
contribution_id, obj.id)
|
compound_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n if isinstance(obj, (Category, Session)):\n raise TypeError('Compound IDs are not supported for this entry type')\n elif isinstance(obj, Event):\n return unicode(obj.id)\n elif isinstance(obj, Contribution):\n return '{}.{}'.format(obj.event_id, obj.id)\n elif isinstance(obj, SubContribution):\n return '{}.{}.{}'.format(obj.contribution.event_id, obj.\n contribution_id, obj.id)\n",
"role": "user"
},
{
"content": "compound_id",
"role": "assistant"
}
] |
def x(download_url, download_title):
from indico_piwik.plugin import PiwikPlugin
if not download_url:
raise ValueError("download_url can't be empty")
if not download_title:
raise ValueError("download_title can't be empty")
request = PiwikRequest(server_url=PiwikPlugin.settings.get(
'server_api_url'), site_id=PiwikPlugin.settings.get(
'site_id_events'), api_token=PiwikPlugin.settings.get(
'server_token'), query_script=PiwikPlugin.track_script)
action_url = quote(download_url)
dt = datetime.now()
request.call(idsite=request.site_id, rec=1, action_name=quote(
download_title.encode('utf-8')), url=action_url, download=
action_url, h=dt.hour, m=dt.minute, s=dt.second)
|
track_download_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(download_url, download_title):\n from indico_piwik.plugin import PiwikPlugin\n if not download_url:\n raise ValueError(\"download_url can't be empty\")\n if not download_title:\n raise ValueError(\"download_title can't be empty\")\n request = PiwikRequest(server_url=PiwikPlugin.settings.get(\n 'server_api_url'), site_id=PiwikPlugin.settings.get(\n 'site_id_events'), api_token=PiwikPlugin.settings.get(\n 'server_token'), query_script=PiwikPlugin.track_script)\n action_url = quote(download_url)\n dt = datetime.now()\n request.call(idsite=request.site_id, rec=1, action_name=quote(\n download_title.encode('utf-8')), url=action_url, download=\n action_url, h=dt.hour, m=dt.minute, s=dt.second)\n",
"role": "user"
},
{
"content": "track_download_request",
"role": "assistant"
}
] |
def x(self):
from indico_livesync.plugin import LiveSyncPlugin
return LiveSyncPlugin.instance.backend_classes.get(self.backend_name)
|
backend
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from indico_livesync.plugin import LiveSyncPlugin\n return LiveSyncPlugin.instance.backend_classes.get(self.backend_name)\n",
"role": "user"
},
{
"content": "backend",
"role": "assistant"
}
] |
def x(room, event, user):
tpl = get_plugin_template_module('emails/created.txt', chatroom=room,
event=event, user=user)
_send(event, tpl)
|
notify_created
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(room, event, user):\n tpl = get_plugin_template_module('emails/created.txt', chatroom=room,\n event=event, user=user)\n _send(event, tpl)\n",
"role": "user"
},
{
"content": "notify_created",
"role": "assistant"
}
] |
def x(room, event, user):
tpl = get_plugin_template_module('emails/attached.txt', chatroom=room,
event=event, user=user)
_send(event, tpl)
|
notify_attached
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(room, event, user):\n tpl = get_plugin_template_module('emails/attached.txt', chatroom=room,\n event=event, user=user)\n _send(event, tpl)\n",
"role": "user"
},
{
"content": "notify_attached",
"role": "assistant"
}
] |
def x(room, event, user):
tpl = get_plugin_template_module('emails/modified.txt', chatroom=room,
event=event, user=user)
_send(event, tpl)
|
notify_modified
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(room, event, user):\n tpl = get_plugin_template_module('emails/modified.txt', chatroom=room,\n event=event, user=user)\n _send(event, tpl)\n",
"role": "user"
},
{
"content": "notify_modified",
"role": "assistant"
}
] |
def x(room, event, user, room_deleted):
tpl = get_plugin_template_module('emails/deleted.txt', chatroom=room,
event=event, user=user, room_deleted=room_deleted)
_send(event, tpl)
|
notify_deleted
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(room, event, user, room_deleted):\n tpl = get_plugin_template_module('emails/deleted.txt', chatroom=room,\n event=event, user=user, room_deleted=room_deleted)\n _send(event, tpl)\n",
"role": "user"
},
{
"content": "notify_deleted",
"role": "assistant"
}
] |
def x(cls, automation=None, offset=None, limit=None, api=None):
automation_id = Transform.to_automation(automation)
api = api or cls._API
return super(AutomationMember, cls)._query(url=cls._URL['query'].format
(automation_id=automation_id), automation_id=automation_id, offset=
offset, limit=limit, api=api)
|
query
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, automation=None, offset=None, limit=None, api=None):\n automation_id = Transform.to_automation(automation)\n api = api or cls._API\n return super(AutomationMember, cls)._query(url=cls._URL['query'].format\n (automation_id=automation_id), automation_id=automation_id, offset=\n offset, limit=limit, api=api)\n",
"role": "user"
},
{
"content": "query",
"role": "assistant"
}
] |
def x(cls, id, automation, api=None):
username = Transform.to_resource(id)
automation = Transform.to_automation(automation)
api = api or cls._API
member = api.get(url=cls._URL['get'].format(automation_id=automation,
id=username)).json()
return AutomationMember(api=api, **member)
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, id, automation, api=None):\n username = Transform.to_resource(id)\n automation = Transform.to_automation(automation)\n api = api or cls._API\n member = api.get(url=cls._URL['get'].format(automation_id=automation,\n id=username)).json()\n return AutomationMember(api=api, **member)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(cls, user, permissions, automation, api=None):
user = Transform.to_user(user)
automation = Transform.to_automation(automation)
api = api or cls._API
data = {'username': user}
if isinstance(permissions, dict):
data.update({'permissions': permissions})
member_data = api.post(url=cls._URL['query'].format(automation_id=
automation), data=data).json()
return AutomationMember(api=api, **member_data)
|
add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, user, permissions, automation, api=None):\n user = Transform.to_user(user)\n automation = Transform.to_automation(automation)\n api = api or cls._API\n data = {'username': user}\n if isinstance(permissions, dict):\n data.update({'permissions': permissions})\n member_data = api.post(url=cls._URL['query'].format(automation_id=\n automation), data=data).json()\n return AutomationMember(api=api, **member_data)\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(cls, user, automation, api=None):
user = Transform.to_user(user)
automation = Transform.to_automation(automation)
api = api or cls._API
api.delete(cls._URL['get'].format(automation_id=automation, id=user))
|
remove
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, user, automation, api=None):\n user = Transform.to_user(user)\n automation = Transform.to_automation(automation)\n api = api or cls._API\n api.delete(cls._URL['get'].format(automation_id=automation, id=user))\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
] |
def x(self, inplace=True):
modified = self._modified_data()
if bool(modified):
new_data = self.permissions.copy()
new_data.update(modified['permissions'])
data = {'permissions': new_data}
url = six.text_type(self.href)
self._api.patch(url=url, data=data, append_base=False)
else:
raise ResourceNotModified()
|
save
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, inplace=True):\n modified = self._modified_data()\n if bool(modified):\n new_data = self.permissions.copy()\n new_data.update(modified['permissions'])\n data = {'permissions': new_data}\n url = six.text_type(self.href)\n self._api.patch(url=url, data=data, append_base=False)\n else:\n raise ResourceNotModified()\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(cls, name=None, offset=None, limit=None, api=None):
api = api or cls._API
return super(Automation, cls)._query(url=cls._URL['query'], name=name,
offset=offset, limit=limit, api=api)
|
query
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, name=None, offset=None, limit=None, api=None):\n api = api or cls._API\n return super(Automation, cls)._query(url=cls._URL['query'], name=name,\n offset=offset, limit=limit, api=api)\n",
"role": "user"
},
{
"content": "query",
"role": "assistant"
}
] |
def x(self, offset=None, limit=None, api=None):
api = api or self._API
return AutomationPackage.query(automation=self.id, offset=offset, limit
=limit, api=api)
|
get_packages
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, offset=None, limit=None, api=None):\n api = api or self._API\n return AutomationPackage.query(automation=self.id, offset=offset, limit\n =limit, api=api)\n",
"role": "user"
},
{
"content": "get_packages",
"role": "assistant"
}
] |
def x(self, username, api=None):
member = Transform.to_automation_member(username)
api = api or self._API
return AutomationMember.get(id=member, automation=self.id, api=api)
|
get_member
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, api=None):\n member = Transform.to_automation_member(username)\n api = api or self._API\n return AutomationMember.get(id=member, automation=self.id, api=api)\n",
"role": "user"
},
{
"content": "get_member",
"role": "assistant"
}
] |
def x(self, offset=None, limit=None, api=None):
api = api or self._API
return AutomationMember.query(automation=self.id, offset=offset, limit=
limit, api=api)
|
get_members
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, offset=None, limit=None, api=None):\n api = api or self._API\n return AutomationMember.query(automation=self.id, offset=offset, limit=\n limit, api=api)\n",
"role": "user"
},
{
"content": "get_members",
"role": "assistant"
}
] |
def x(self, user, permissions, api=None):
api = api or self._API
return AutomationMember.add(automation=self.id, user=user, permissions=
permissions, api=api)
|
add_member
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user, permissions, api=None):\n api = api or self._API\n return AutomationMember.add(automation=self.id, user=user, permissions=\n permissions, api=api)\n",
"role": "user"
},
{
"content": "add_member",
"role": "assistant"
}
] |
def x(self, user, api=None):
api = api or self._API
AutomationMember.remove(automation=self.id, user=user, api=api)
|
remove_member
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user, api=None):\n api = api or self._API\n AutomationMember.remove(automation=self.id, user=user, api=api)\n",
"role": "user"
},
{
"content": "remove_member",
"role": "assistant"
}
] |
def x(self, package=None, status=None, name=None, created_by=None,
created_from=None, created_to=None, order_by=None, order=None, offset=
None, limit=None, api=None):
api = api or self._API
return AutomationRun.query(automation=self.id, package=package, status=
status, name=name, created_by=created_by, created_from=created_from,
created_to=created_to, order_by=order_by, order=order, offset=
offset, limit=limit, api=api)
|
get_runs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, package=None, status=None, name=None, created_by=None,\n created_from=None, created_to=None, order_by=None, order=None, offset=\n None, limit=None, api=None):\n api = api or self._API\n return AutomationRun.query(automation=self.id, package=package, status=\n status, name=name, created_by=created_by, created_from=created_from,\n created_to=created_to, order_by=order_by, order=order, offset=\n offset, limit=limit, api=api)\n",
"role": "user"
},
{
"content": "get_runs",
"role": "assistant"
}
] |
def x(cls, automation=None, package=None, status=None, name=None,
created_by=None, created_from=None, created_to=None, order_by=None,
order=None, offset=None, limit=None, api=None):
if automation:
automation = Transform.to_automation(automation)
if package:
package = Transform.to_automation_package(package)
api = api or cls._API
return super(AutomationRun, cls)._query(url=cls._URL['query'], name=
name, automation=automation, package=package, status=status,
created_by=created_by, created_from=created_from, created_to=
created_to, order_by=order_by, order=order, offset=offset, limit=
limit, api=api)
|
query
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, automation=None, package=None, status=None, name=None,\n created_by=None, created_from=None, created_to=None, order_by=None,\n order=None, offset=None, limit=None, api=None):\n if automation:\n automation = Transform.to_automation(automation)\n if package:\n package = Transform.to_automation_package(package)\n api = api or cls._API\n return super(AutomationRun, cls)._query(url=cls._URL['query'], name=\n name, automation=automation, package=package, status=status,\n created_by=created_by, created_from=created_from, created_to=\n created_to, order_by=order_by, order=order, offset=offset, limit=\n limit, api=api)\n",
"role": "user"
},
{
"content": "query",
"role": "assistant"
}
] |
def x(cls, package, inputs=None, settings=None, resume_from=None, name=None,
secret_settings=None, api=None):
package = Transform.to_automation_package(package)
data = {'package': package}
if inputs:
data['inputs'] = inputs
if settings:
data['settings'] = settings
if resume_from:
data['resume_from'] = resume_from
if name:
data['name'] = name
if secret_settings:
data['secret_settings'] = secret_settings
api = api or cls._API
automation_run = api.post(url=cls._URL['query'], data=data).json()
return AutomationRun(api=api, **automation_run)
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, package, inputs=None, settings=None, resume_from=None, name=None,\n secret_settings=None, api=None):\n package = Transform.to_automation_package(package)\n data = {'package': package}\n if inputs:\n data['inputs'] = inputs\n if settings:\n data['settings'] = settings\n if resume_from:\n data['resume_from'] = resume_from\n if name:\n data['name'] = name\n if secret_settings:\n data['secret_settings'] = secret_settings\n api = api or cls._API\n automation_run = api.post(url=cls._URL['query'], data=data).json()\n return AutomationRun(api=api, **automation_run)\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, api=None):
api = api or self._API
return api.post(url=self._URL['actions'].format(id=self.id, action=
AutomationRunActions.STOP)).content
|
stop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, api=None):\n api = api or self._API\n return api.post(url=self._URL['actions'].format(id=self.id, action=\n AutomationRunActions.STOP)).content\n",
"role": "user"
},
{
"content": "stop",
"role": "assistant"
}
] |
def x(self, api=None):
api = api or self._API
log_file_data = self.execution_details.get('log_file')
return File(api=api, **log_file_data) if log_file_data else None
|
get_log_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, api=None):\n api = api or self._API\n log_file_data = self.execution_details.get('log_file')\n return File(api=api, **log_file_data) if log_file_data else None\n",
"role": "user"
},
{
"content": "get_log_file",
"role": "assistant"
}
] |
def x(self, api=None):
api = api or self._API
return api.get(self._URL['state'].format(id=self.id)).json()
|
get_state
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, api=None):\n api = api or self._API\n return api.get(self._URL['state'].format(id=self.id)).json()\n",
"role": "user"
},
{
"content": "get_state",
"role": "assistant"
}
] |
def x(api, url, upload, part):
try:
response = api.get(url.format(upload_id=upload, part_number=part))
return response.json()['url']
except Exception:
raise SbgError('Unable to get upload url for part number {}'.format
(part))
|
get_part_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(api, url, upload, part):\n try:\n response = api.get(url.format(upload_id=upload, part_number=part))\n return response.json()['url']\n except Exception:\n raise SbgError('Unable to get upload url for part number {}'.format\n (part))\n",
"role": "user"
},
{
"content": "get_part_url",
"role": "assistant"
}
] |
def x(api, url, upload, part, e_tag):
part_data = {'part_number': part, 'response': {'headers': {'ETag': e_tag}}}
try:
api.post(url.format(upload_id=upload, part_number=''), data=part_data)
except Exception as e:
raise SbgError('Unable to report part number {}. Reason: {}'.format
(part, six.text_type(e)))
|
report_part
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(api, url, upload, part, e_tag):\n part_data = {'part_number': part, 'response': {'headers': {'ETag': e_tag}}}\n try:\n api.post(url.format(upload_id=upload, part_number=''), data=part_data)\n except Exception as e:\n raise SbgError('Unable to report part number {}. Reason: {}'.format\n (part, six.text_type(e)))\n",
"role": "user"
},
{
"content": "report_part",
"role": "assistant"
}
] |
def x(session, url, part, timeout):
try:
response = session.put(url, data=part, timeout=timeout)
return response.headers.get('etag').strip('"')
except Exception as e:
raise SbgError('Failed to submit the part. Reason: {}'.format(six.
text_type(e)))
|
submit_part
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(session, url, part, timeout):\n try:\n response = session.put(url, data=part, timeout=timeout)\n return response.headers.get('etag').strip('\"')\n except Exception as e:\n raise SbgError('Failed to submit the part. Reason: {}'.format(six.\n text_type(e)))\n",
"role": "user"
},
{
"content": "submit_part",
"role": "assistant"
}
] |
def x(api, session, url, upload, part_number, part, retry_count, timeout):
part_url = retry(retry_count)(_get_part_url)(api, url, upload, part_number)
e_tag = retry(retry_count)(_submit_part)(session, part_url, part, timeout)
retry(retry_count)(_report_part)(api, url, upload, part_number, e_tag)
|
upload_part
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(api, session, url, upload, part_number, part, retry_count, timeout):\n part_url = retry(retry_count)(_get_part_url)(api, url, upload, part_number)\n e_tag = retry(retry_count)(_submit_part)(session, part_url, part, timeout)\n retry(retry_count)(_report_part)(api, url, upload, part_number, e_tag)\n",
"role": "user"
},
{
"content": "upload_part",
"role": "assistant"
}
] |
def x(self):
futures = []
while self.submitted < 4 and not self.done():
part = self.parts.pop(0)
part_number = part['part']
part_read_offset = part['offset']
part_read_limit = part['limit']
self.fp.seek(part_read_offset)
part_data = self.fp.read(part_read_limit - part_read_offset)
futures.append(self.pool.submit(_upload_part, self.api, self.
session, self._URL['upload_part'], self.upload_id, part_number,
part_data, self.retry, self.timeout))
self.submitted += 1
self.total_submitted += 1
return futures
|
submit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n futures = []\n while self.submitted < 4 and not self.done():\n part = self.parts.pop(0)\n part_number = part['part']\n part_read_offset = part['offset']\n part_read_limit = part['limit']\n self.fp.seek(part_read_offset)\n part_data = self.fp.read(part_read_limit - part_read_offset)\n futures.append(self.pool.submit(_upload_part, self.api, self.\n session, self._URL['upload_part'], self.upload_id, part_number,\n part_data, self.retry, self.timeout))\n self.submitted += 1\n self.total_submitted += 1\n return futures\n",
"role": "user"
},
{
"content": "submit",
"role": "assistant"
}
] |
def x(self):
parts = []
start_byte = 0
for i in range(1, self.total + 1):
end_byte = start_byte + self.part_size
if end_byte >= self.file_size - 1:
end_byte = self.file_size
parts.append({'part': i, 'offset': start_byte, 'limit': end_byte})
start_byte = end_byte
return parts
|
get_parts
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n parts = []\n start_byte = 0\n for i in range(1, self.total + 1):\n end_byte = start_byte + self.part_size\n if end_byte >= self.file_size - 1:\n end_byte = self.file_size\n parts.append({'part': i, 'offset': start_byte, 'limit': end_byte})\n start_byte = end_byte\n return parts\n",
"role": "user"
},
{
"content": "get_parts",
"role": "assistant"
}
] |
def x(self):
total = int(math.ceil(self._file_size / self._part_size))
if total > PartSize.MAXIMUM_TOTAL_PARTS:
self._status = TransferState.FAILED
raise SbgError('Total parts = {}. Maximum number of parts is {}'.
format(total, PartSize.MAXIMUM_TOTAL_PARTS))
|
verify_part_number
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n total = int(math.ceil(self._file_size / self._part_size))\n if total > PartSize.MAXIMUM_TOTAL_PARTS:\n self._status = TransferState.FAILED\n raise SbgError('Total parts = {}. Maximum number of parts is {}'.\n format(total, PartSize.MAXIMUM_TOTAL_PARTS))\n",
"role": "user"
},
{
"content": "verify_part_number",
"role": "assistant"
}
] |
def x(self):
if self._part_size > PartSize.MAXIMUM_UPLOAD_SIZE:
self._status = TransferState.FAILED
raise SbgError('Part size = {}b. Maximum part size is {}b'.format(
self._part_size, PartSize.MAXIMUM_UPLOAD_SIZE))
|
verify_part_size
|
[
{
"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._part_size > PartSize.MAXIMUM_UPLOAD_SIZE:\n self._status = TransferState.FAILED\n raise SbgError('Part size = {}b. Maximum part size is {}b'.format(\n self._part_size, PartSize.MAXIMUM_UPLOAD_SIZE))\n",
"role": "user"
},
{
"content": "verify_part_size",
"role": "assistant"
}
] |
def x(self):
if self._file_size > PartSize.MAXIMUM_OBJECT_SIZE:
self._status = TransferState.FAILED
raise SbgError('File size = {}b. Maximum file size is {}b'.format(
self._file_size, PartSize.MAXIMUM_OBJECT_SIZE))
|
verify_file_size
|
[
{
"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._file_size > PartSize.MAXIMUM_OBJECT_SIZE:\n self._status = TransferState.FAILED\n raise SbgError('File size = {}b. Maximum file size is {}b'.format(\n self._file_size, PartSize.MAXIMUM_OBJECT_SIZE))\n",
"role": "user"
},
{
"content": "verify_file_size",
"role": "assistant"
}
] |
def x(self):
init_data = {'name': self._file_name, 'part_size': self._part_size,
'size': self._file_size}
if self._project:
init_data['project'] = self._project
elif self._parent:
init_data['parent'] = self._parent
init_params = {}
if self._overwrite:
init_params['overwrite'] = self._overwrite
try:
response = self._api.post(self._URL['upload_init'], data=init_data,
params=init_params)
self._upload_id = response.json()['upload_id']
except SbgError as e:
self._status = TransferState.FAILED
raise SbgError(
'Unable to initialize upload! Failed to get upload id! Reason: {}'
.format(e.message))
|
initialize_upload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n init_data = {'name': self._file_name, 'part_size': self._part_size,\n 'size': self._file_size}\n if self._project:\n init_data['project'] = self._project\n elif self._parent:\n init_data['parent'] = self._parent\n init_params = {}\n if self._overwrite:\n init_params['overwrite'] = self._overwrite\n try:\n response = self._api.post(self._URL['upload_init'], data=init_data,\n params=init_params)\n self._upload_id = response.json()['upload_id']\n except SbgError as e:\n self._status = TransferState.FAILED\n raise SbgError(\n 'Unable to initialize upload! Failed to get upload id! Reason: {}'\n .format(e.message))\n",
"role": "user"
},
{
"content": "initialize_upload",
"role": "assistant"
}
] |
def x(self):
from sevenbridges.models.file import File
try:
response = self._api.post(self._URL['upload_complete'].format(
upload_id=self._upload_id)).json()
self._result = File(api=self._api, **response)
self._status = TransferState.COMPLETED
except SbgError as e:
self._status = TransferState.FAILED
raise SbgError('Failed to complete upload! Reason: {}'.format(e.
message))
|
finalize_upload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from sevenbridges.models.file import File\n try:\n response = self._api.post(self._URL['upload_complete'].format(\n upload_id=self._upload_id)).json()\n self._result = File(api=self._api, **response)\n self._status = TransferState.COMPLETED\n except SbgError as e:\n self._status = TransferState.FAILED\n raise SbgError('Failed to complete upload! Reason: {}'.format(e.\n message))\n",
"role": "user"
},
{
"content": "finalize_upload",
"role": "assistant"
}
] |
def x(self):
try:
self._api.delete(self._URL['upload_info'].format(upload_id=self.
_upload_id))
except SbgError as e:
self._status = TransferState.FAILED
raise SbgError('Failed to abort upload! Reason: {}'.format(e.message))
|
abort_upload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n self._api.delete(self._URL['upload_info'].format(upload_id=self.\n _upload_id))\n except SbgError as e:\n self._status = TransferState.FAILED\n raise SbgError('Failed to abort upload! Reason: {}'.format(e.message))\n",
"role": "user"
},
{
"content": "abort_upload",
"role": "assistant"
}
] |
def x(self, callback=None, errorback=None):
self._callback = callback
self._errorback = errorback
|
add_callback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback=None, errorback=None):\n self._callback = callback\n self._errorback = errorback\n",
"role": "user"
},
{
"content": "add_callback",
"role": "assistant"
}
] |
def x(self):
if self._status == TransferState.PREPARING:
super(Upload, self).start()
else:
raise SbgError('Unable to start. Upload not in PREPARING state.')
|
start
|
[
{
"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._status == TransferState.PREPARING:\n super(Upload, self).start()\n else:\n raise SbgError('Unable to start. Upload not in PREPARING state.')\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
def x(self):
self._running.set()
self._status = TransferState.RUNNING
self._time_started = time.time()
self._initialize_upload()
try:
with io.open(self._file_path, mode='rb') as fp:
parted_file = UPartedFile(fp, self._file_size, self._part_size,
self._upload_id, self._retry, self._timeout, self.session,
self._api)
for _ in parted_file:
if self._stop_signal:
return
self._running.wait()
self._bytes_done += self._part_size
if self._progress_callback:
progress = Progress(parted_file.total, parted_file.
total_submitted, self._bytes_done, self._file_size,
self.duration)
self._progress_callback(progress)
except IOError:
raise SbgError('Unable to open file {}'.format(self._file_path))
except Exception as e:
self._status = TransferState.FAILED
if self._errorback:
self._errorback(self._status)
else:
raise SbgError(six.text_type(e))
self._finalize_upload()
self._status = TransferState.COMPLETED
if self._callback:
self._callback(self._status)
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._running.set()\n self._status = TransferState.RUNNING\n self._time_started = time.time()\n self._initialize_upload()\n try:\n with io.open(self._file_path, mode='rb') as fp:\n parted_file = UPartedFile(fp, self._file_size, self._part_size,\n self._upload_id, self._retry, self._timeout, self.session,\n self._api)\n for _ in parted_file:\n if self._stop_signal:\n return\n self._running.wait()\n self._bytes_done += self._part_size\n if self._progress_callback:\n progress = Progress(parted_file.total, parted_file.\n total_submitted, self._bytes_done, self._file_size,\n self.duration)\n self._progress_callback(progress)\n except IOError:\n raise SbgError('Unable to open file {}'.format(self._file_path))\n except Exception as e:\n self._status = TransferState.FAILED\n if self._errorback:\n self._errorback(self._status)\n else:\n raise SbgError(six.text_type(e))\n self._finalize_upload()\n self._status = TransferState.COMPLETED\n if self._callback:\n self._callback(self._status)\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(records):
changes = defaultdict(int)
cascaded_update_records = set()
cascaded_delete_records = set()
for record in records:
if record.change != ChangeType.deleted and record.object is None:
continue
if record.change == ChangeType.created:
assert record.type != EntryType.category
changes[record.object] |= SimpleChange.created
elif record.change == ChangeType.deleted:
assert record.type != EntryType.category
cascaded_delete_records.add(record)
elif record.change in {ChangeType.moved, ChangeType.protection_changed
}:
cascaded_update_records.add(record)
elif record.change == ChangeType.data_changed:
assert record.type != EntryType.category
changes[record.object] |= SimpleChange.updated
for obj in _process_cascaded_category_contents(cascaded_update_records):
changes[obj] |= SimpleChange.updated
for obj in _process_cascaded_event_contents(cascaded_delete_records):
changes[obj] |= SimpleChange.deleted
return changes
|
process_records
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(records):\n changes = defaultdict(int)\n cascaded_update_records = set()\n cascaded_delete_records = set()\n for record in records:\n if record.change != ChangeType.deleted and record.object is None:\n continue\n if record.change == ChangeType.created:\n assert record.type != EntryType.category\n changes[record.object] |= SimpleChange.created\n elif record.change == ChangeType.deleted:\n assert record.type != EntryType.category\n cascaded_delete_records.add(record)\n elif record.change in {ChangeType.moved, ChangeType.protection_changed\n }:\n cascaded_update_records.add(record)\n elif record.change == ChangeType.data_changed:\n assert record.type != EntryType.category\n changes[record.object] |= SimpleChange.updated\n for obj in _process_cascaded_category_contents(cascaded_update_records):\n changes[obj] |= SimpleChange.updated\n for obj in _process_cascaded_event_contents(cascaded_delete_records):\n changes[obj] |= SimpleChange.deleted\n return changes\n",
"role": "user"
},
{
"content": "process_records",
"role": "assistant"
}
] |
def x(records):
category_prot_records = {rec.category_id for rec in records if rec.type ==
EntryType.category and rec.change == ChangeType.protection_changed}
category_move_records = {rec.category_id for rec in records if rec.type ==
EntryType.category and rec.change == ChangeType.moved}
changed_events = set()
category_prot_records -= category_move_records
if category_prot_records:
for categ in Category.find(Category.id.in_(category_prot_records)):
cte = categ.get_protection_parent_cte()
inheriting_categ_children = Event.query.join(cte, db.and_(Event
.category_id == cte.c.id, cte.c.protection_parent == categ.id))
inheriting_direct_children = Event.find((Event.category_id ==
categ.id) & Event.is_inheriting)
changed_events.update(itertools.chain(
inheriting_direct_children, inheriting_categ_children))
if category_move_records:
changed_events.update(Event.find(Event.category_chain_overlaps(
category_move_records)))
for elem in _process_cascaded_event_contents(records, additional_events
=changed_events):
yield elem
|
process_cascaded_category_contents
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(records):\n category_prot_records = {rec.category_id for rec in records if rec.type ==\n EntryType.category and rec.change == ChangeType.protection_changed}\n category_move_records = {rec.category_id for rec in records if rec.type ==\n EntryType.category and rec.change == ChangeType.moved}\n changed_events = set()\n category_prot_records -= category_move_records\n if category_prot_records:\n for categ in Category.find(Category.id.in_(category_prot_records)):\n cte = categ.get_protection_parent_cte()\n inheriting_categ_children = Event.query.join(cte, db.and_(Event\n .category_id == cte.c.id, cte.c.protection_parent == categ.id))\n inheriting_direct_children = Event.find((Event.category_id ==\n categ.id) & Event.is_inheriting)\n changed_events.update(itertools.chain(\n inheriting_direct_children, inheriting_categ_children))\n if category_move_records:\n changed_events.update(Event.find(Event.category_chain_overlaps(\n category_move_records)))\n for elem in _process_cascaded_event_contents(records, additional_events\n =changed_events):\n yield elem\n",
"role": "user"
},
{
"content": "process_cascaded_category_contents",
"role": "assistant"
}
] |
def x(records, additional_events=None):
changed_events = additional_events or set()
changed_contributions = set()
changed_subcontributions = set()
session_records = {rec.session_id for rec in records if rec.type ==
EntryType.session}
contribution_records = {rec.contrib_id for rec in records if rec.type ==
EntryType.contribution}
subcontribution_records = {rec.subcontrib_id for rec in records if rec.
type == EntryType.subcontribution}
event_records = {rec.event_id for rec in records if rec.type ==
EntryType.event}
if event_records:
changed_events.update(Event.find(Event.id.in_(event_records)))
for event in changed_events:
yield event
if session_records:
changed_contributions.update(Contribution.find(Contribution.
session_id.in_(session_records), ~Contribution.is_deleted))
changed_event_ids = {ev.id for ev in changed_events}
condition = Contribution.event_id.in_(changed_event_ids
) & ~Contribution.is_deleted
if contribution_records:
condition = db.or_(condition, Contribution.id.in_(contribution_records)
)
contrib_query = Contribution.find(condition).options(joinedload(
'subcontributions'))
for contribution in contrib_query:
yield contribution
changed_subcontributions.update(contribution.subcontributions)
if subcontribution_records:
changed_subcontributions.update(SubContribution.find(
SubContribution.id.in_(subcontribution_records)))
for subcontrib in changed_subcontributions:
yield subcontrib
|
process_cascaded_event_contents
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(records, additional_events=None):\n changed_events = additional_events or set()\n changed_contributions = set()\n changed_subcontributions = set()\n session_records = {rec.session_id for rec in records if rec.type ==\n EntryType.session}\n contribution_records = {rec.contrib_id for rec in records if rec.type ==\n EntryType.contribution}\n subcontribution_records = {rec.subcontrib_id for rec in records if rec.\n type == EntryType.subcontribution}\n event_records = {rec.event_id for rec in records if rec.type ==\n EntryType.event}\n if event_records:\n changed_events.update(Event.find(Event.id.in_(event_records)))\n for event in changed_events:\n yield event\n if session_records:\n changed_contributions.update(Contribution.find(Contribution.\n session_id.in_(session_records), ~Contribution.is_deleted))\n changed_event_ids = {ev.id for ev in changed_events}\n condition = Contribution.event_id.in_(changed_event_ids\n ) & ~Contribution.is_deleted\n if contribution_records:\n condition = db.or_(condition, Contribution.id.in_(contribution_records)\n )\n contrib_query = Contribution.find(condition).options(joinedload(\n 'subcontributions'))\n for contribution in contrib_query:\n yield contribution\n changed_subcontributions.update(contribution.subcontributions)\n if subcontribution_records:\n changed_subcontributions.update(SubContribution.find(\n SubContribution.id.in_(subcontribution_records)))\n for subcontrib in changed_subcontributions:\n yield subcontrib\n",
"role": "user"
},
{
"content": "process_cascaded_event_contents",
"role": "assistant"
}
] |
def x(self, vc_room, event):
client = AdminClient(self.settings)
owner = retrieve_principal(vc_room.data['owner'])
login_gen = iter_user_identities(owner)
login = next(login_gen, None)
if login is None:
raise VCRoomError(_('No valid Vidyo account found for this user'),
field='owner_user')
extension_gen = iter_extensions(self.settings.get('indico_room_prefix'),
event.id)
extension = next(extension_gen)
while True:
room_mode = {'isLocked': False, 'hasPIN': bool(vc_room.data[
'room_pin']), 'hasModeratorPIN': bool(vc_room.data[
'moderation_pin'])}
if room_mode['hasPIN']:
room_mode['roomPIN'] = vc_room.data['room_pin']
if room_mode['hasModeratorPIN']:
room_mode['moderatorPIN'] = vc_room.data['moderation_pin']
room_obj = client.create_room_object(name=vc_room.name, RoomType=
'Public', ownerName=login, extension=extension, groupName=self.
settings.get('room_group_name'), description=vc_room.data[
'description'], RoomMode=room_mode)
if room_obj.RoomMode.hasPIN:
room_obj.RoomMode.roomPIN = vc_room.data['room_pin']
if room_obj.RoomMode.hasModeratorPIN:
room_obj.RoomMode.moderatorPIN = vc_room.data['moderation_pin']
try:
client.add_room(room_obj)
except APIException as err:
err_msg = err.message
if err_msg.startswith('Room exist for name'):
raise VCRoomError(_('Room name already in use'), field='name')
elif err_msg.startswith('Member not found for ownerName'):
login = next(login_gen, None)
if login is None:
raise VCRoomError(_(
'No valid Vidyo account found for this user'),
field='owner_user')
elif err_msg.startswith('Room exist for extension'):
extension = next(extension_gen)
else:
raise
else:
created_room = client.find_room(extension)
if not created_room:
raise VCRoomNotFoundError(_(
'Could not find newly created room in Vidyo'))
vc_room.data.update({'vidyo_id': unicode(created_room.roomID),
'url': created_room.RoomMode.roomURL, 'owner_identity':
created_room.ownerName})
flag_modified(vc_room, 'data')
vc_room.vidyo_extension = VidyoExtension(vc_room_id=vc_room.id,
extension=int(created_room.extension), owned_by_user=owner)
client.set_automute(created_room.roomID, vc_room.data['auto_mute'])
break
|
create_room
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, vc_room, event):\n client = AdminClient(self.settings)\n owner = retrieve_principal(vc_room.data['owner'])\n login_gen = iter_user_identities(owner)\n login = next(login_gen, None)\n if login is None:\n raise VCRoomError(_('No valid Vidyo account found for this user'),\n field='owner_user')\n extension_gen = iter_extensions(self.settings.get('indico_room_prefix'),\n event.id)\n extension = next(extension_gen)\n while True:\n room_mode = {'isLocked': False, 'hasPIN': bool(vc_room.data[\n 'room_pin']), 'hasModeratorPIN': bool(vc_room.data[\n 'moderation_pin'])}\n if room_mode['hasPIN']:\n room_mode['roomPIN'] = vc_room.data['room_pin']\n if room_mode['hasModeratorPIN']:\n room_mode['moderatorPIN'] = vc_room.data['moderation_pin']\n room_obj = client.create_room_object(name=vc_room.name, RoomType=\n 'Public', ownerName=login, extension=extension, groupName=self.\n settings.get('room_group_name'), description=vc_room.data[\n 'description'], RoomMode=room_mode)\n if room_obj.RoomMode.hasPIN:\n room_obj.RoomMode.roomPIN = vc_room.data['room_pin']\n if room_obj.RoomMode.hasModeratorPIN:\n room_obj.RoomMode.moderatorPIN = vc_room.data['moderation_pin']\n try:\n client.add_room(room_obj)\n except APIException as err:\n err_msg = err.message\n if err_msg.startswith('Room exist for name'):\n raise VCRoomError(_('Room name already in use'), field='name')\n elif err_msg.startswith('Member not found for ownerName'):\n login = next(login_gen, None)\n if login is None:\n raise VCRoomError(_(\n 'No valid Vidyo account found for this user'),\n field='owner_user')\n elif err_msg.startswith('Room exist for extension'):\n extension = next(extension_gen)\n else:\n raise\n else:\n created_room = client.find_room(extension)\n if not created_room:\n raise VCRoomNotFoundError(_(\n 'Could not find newly created room in Vidyo'))\n vc_room.data.update({'vidyo_id': unicode(created_room.roomID),\n 'url': created_room.RoomMode.roomURL, 'owner_identity':\n created_room.ownerName})\n flag_modified(vc_room, 'data')\n vc_room.vidyo_extension = VidyoExtension(vc_room_id=vc_room.id,\n extension=int(created_room.extension), owned_by_user=owner)\n client.set_automute(created_room.roomID, vc_room.data['auto_mute'])\n break\n",
"role": "user"
},
{
"content": "create_room",
"role": "assistant"
}
] |
def x(self):
if self.type == EntryType.category:
return self.category
elif self.type == EntryType.event:
return self.event
elif self.type == EntryType.session:
return self.session
elif self.type == EntryType.contribution:
return self.contribution
elif self.type == EntryType.subcontribution:
return self.subcontribution
|
object
|
[
{
"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.type == EntryType.category:\n return self.category\n elif self.type == EntryType.event:\n return self.event\n elif self.type == EntryType.session:\n return self.session\n elif self.type == EntryType.contribution:\n return self.contribution\n elif self.type == EntryType.subcontribution:\n return self.subcontribution\n",
"role": "user"
},
{
"content": "object",
"role": "assistant"
}
] |
def x(self):
return ImmutableDict(type=self.type, category_id=self.category_id,
event_id=self.event_id, session_id=self.session_id, contrib_id=self
.contrib_id, subcontrib_id=self.subcontrib_id)
|
object_ref
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return ImmutableDict(type=self.type, category_id=self.category_id,\n event_id=self.event_id, session_id=self.session_id, contrib_id=self\n .contrib_id, subcontrib_id=self.subcontrib_id)\n",
"role": "user"
},
{
"content": "object_ref",
"role": "assistant"
}
] |
def x(cls, changes, ref, excluded_categories=set()):
ref = dict(ref)
obj = obj_deref(ref)
if isinstance(obj, Category):
if any(c.id in excluded_categories for c in obj.chain_query):
return
else:
event = obj if isinstance(obj, Event) else obj.event
if event.category not in g.setdefault(
'livesync_excluded_categories_checked', {}):
g.livesync_excluded_categories_checked[event.category
] = excluded_categories & set(event.category_chain)
if g.livesync_excluded_categories_checked[event.category]:
return
try:
agents = g.livesync_agents
except AttributeError:
agents = g.livesync_agents = LiveSyncAgent.query.all()
for change in changes:
for agent in agents:
entry = cls(agent=agent, change=change, **ref)
db.session.add(entry)
db.session.flush()
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, changes, ref, excluded_categories=set()):\n ref = dict(ref)\n obj = obj_deref(ref)\n if isinstance(obj, Category):\n if any(c.id in excluded_categories for c in obj.chain_query):\n return\n else:\n event = obj if isinstance(obj, Event) else obj.event\n if event.category not in g.setdefault(\n 'livesync_excluded_categories_checked', {}):\n g.livesync_excluded_categories_checked[event.category\n ] = excluded_categories & set(event.category_chain)\n if g.livesync_excluded_categories_checked[event.category]:\n return\n try:\n agents = g.livesync_agents\n except AttributeError:\n agents = g.livesync_agents = LiveSyncAgent.query.all()\n for change in changes:\n for agent in agents:\n entry = cls(agent=agent, change=change, **ref)\n db.session.add(entry)\n db.session.flush()\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(cls, id, api=None):
id = Transform.to_async_job(id)
api = api if api else cls._API
async_job = api.get(url=cls._URL['get_file_copy_job'].format(id=id)).json()
return AsyncJob(api=api, **async_job)
|
get_file_copy_job
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, id, api=None):\n id = Transform.to_async_job(id)\n api = api if api else cls._API\n async_job = api.get(url=cls._URL['get_file_copy_job'].format(id=id)).json()\n return AsyncJob(api=api, **async_job)\n",
"role": "user"
},
{
"content": "get_file_copy_job",
"role": "assistant"
}
] |
def x(self, api=None):
api = api or self._API
if not self.result:
return []
return AsyncFileBulkRecord.parse_records(result=self.result, api=api)
|
get_result
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, api=None):\n api = api or self._API\n if not self.result:\n return []\n return AsyncFileBulkRecord.parse_records(result=self.result, api=api)\n",
"role": "user"
},
{
"content": "get_result",
"role": "assistant"
}
] |
def x(cls, offset=None, limit=None, api=None):
api = api or cls._API
return super(AsyncJob, cls)._query(api=api, url=cls._URL[
'list_file_jobs'], offset=offset, limit=limit)
|
list_file_jobs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, offset=None, limit=None, api=None):\n api = api or cls._API\n return super(AsyncJob, cls)._query(api=api, url=cls._URL[\n 'list_file_jobs'], offset=offset, limit=limit)\n",
"role": "user"
},
{
"content": "list_file_jobs",
"role": "assistant"
}
] |
def x(code):
code = '%-6s' % code
ind1 = code[3:4]
if ind1 == ' ':
ind1 = '_'
ind2 = code[4:5]
if ind2 == ' ':
ind2 = '_'
subcode = code[5:6]
if subcode == ' ':
subcode = None
return code[0:3], ind1, ind2, subcode
|
decompose_code
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(code):\n code = '%-6s' % code\n ind1 = code[3:4]\n if ind1 == ' ':\n ind1 = '_'\n ind2 = code[4:5]\n if ind2 == ' ':\n ind2 = '_'\n subcode = code[5:6]\n if subcode == ' ':\n subcode = None\n return code[0:3], ind1, ind2, subcode\n",
"role": "user"
},
{
"content": "decompose_code",
"role": "assistant"
}
] |
def x(self):
self.browser = mechanize.Browser()
self.browser.set_handle_robots(False)
self.browser.open(self.server_url + '/youraccount/login')
self.browser.select_form(nr=0)
try:
self.browser['nickname'] = self.user
self.browser['password'] = self.password
except:
self.browser['p_un'] = self.user
self.browser['p_pw'] = self.password
self.browser.form.find_control('login_method').readonly = False
self.browser['login_method'] = self.login_method
self.browser.submit()
|
init_browser
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.browser = mechanize.Browser()\n self.browser.set_handle_robots(False)\n self.browser.open(self.server_url + '/youraccount/login')\n self.browser.select_form(nr=0)\n try:\n self.browser['nickname'] = self.user\n self.browser['password'] = self.password\n except:\n self.browser['p_un'] = self.user\n self.browser['p_pw'] = self.password\n self.browser.form.find_control('login_method').readonly = False\n self.browser['login_method'] = self.login_method\n self.browser.submit()\n",
"role": "user"
},
{
"content": "init_browser",
"role": "assistant"
}
] |
def x(self, read_cache=True, **kwparams):
parse_results = False
of = kwparams.get('of', '')
if of == '':
parse_results = True
of = 'xm'
kwparams['of'] = of
params = urllib.urlencode(kwparams, doseq=1)
if self.local and of != 't':
c = kwparams.get('c', '')
if c != '':
if type(c) is list:
colls = c
else:
colls = [c]
for collection in colls:
if collection_restricted_p(collection):
if self.user:
self._check_credentials()
continue
raise InvenioConnectorAuthError(
"""You are trying to search a restricted collection. Please authenticate yourself.
"""
)
kwparams['of'] = 'id'
results = perform_request_search(**kwparams)
if of.lower() != 'id':
results = format_records(results, of)
elif params + str(parse_results
) not in self.cached_queries or not read_cache:
if self.user:
results = self.browser.open(self.server_url + '/search?' + params)
else:
results = urllib2.urlopen(self.server_url + '/search?' + params)
if 'youraccount/login' in results.geturl():
raise InvenioConnectorAuthError(
"""You are trying to search a restricted collection. Please authenticate yourself.
"""
)
else:
return self.cached_queries[params + str(parse_results)]
if parse_results:
parsed_records = self._parse_results(results, self.cached_records)
self.cached_queries[params + str(parse_results)] = parsed_records
return parsed_records
else:
try:
res = results.read()
except AttributeError:
res = results
if of == 'id':
try:
if type(res) is str:
res = [int(recid.strip()) for recid in res.strip('[]').
split(',') if recid.strip() != '']
res.reverse()
except (ValueError, AttributeError):
res = []
self.cached_queries[params + str(parse_results)] = res
return self.cached_queries[params + str(parse_results)]
|
search
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, read_cache=True, **kwparams):\n parse_results = False\n of = kwparams.get('of', '')\n if of == '':\n parse_results = True\n of = 'xm'\n kwparams['of'] = of\n params = urllib.urlencode(kwparams, doseq=1)\n if self.local and of != 't':\n c = kwparams.get('c', '')\n if c != '':\n if type(c) is list:\n colls = c\n else:\n colls = [c]\n for collection in colls:\n if collection_restricted_p(collection):\n if self.user:\n self._check_credentials()\n continue\n raise InvenioConnectorAuthError(\n \"\"\"You are trying to search a restricted collection. Please authenticate yourself.\n\"\"\"\n )\n kwparams['of'] = 'id'\n results = perform_request_search(**kwparams)\n if of.lower() != 'id':\n results = format_records(results, of)\n elif params + str(parse_results\n ) not in self.cached_queries or not read_cache:\n if self.user:\n results = self.browser.open(self.server_url + '/search?' + params)\n else:\n results = urllib2.urlopen(self.server_url + '/search?' + params)\n if 'youraccount/login' in results.geturl():\n raise InvenioConnectorAuthError(\n \"\"\"You are trying to search a restricted collection. Please authenticate yourself.\n\"\"\"\n )\n else:\n return self.cached_queries[params + str(parse_results)]\n if parse_results:\n parsed_records = self._parse_results(results, self.cached_records)\n self.cached_queries[params + str(parse_results)] = parsed_records\n return parsed_records\n else:\n try:\n res = results.read()\n except AttributeError:\n res = results\n if of == 'id':\n try:\n if type(res) is str:\n res = [int(recid.strip()) for recid in res.strip('[]').\n split(',') if recid.strip() != '']\n res.reverse()\n except (ValueError, AttributeError):\n res = []\n self.cached_queries[params + str(parse_results)] = res\n return self.cached_queries[params + str(parse_results)]\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x(self, sleeptime=3.0, retrycount=3, **params):
results = []
count = 0
while count < retrycount:
try:
results = self.search(**params)
break
except urllib2.URLError:
sys.stderr.write('Timeout while searching...Retrying\n')
time.sleep(sleeptime)
count += 1
else:
sys.stderr.write('Aborting search after %d attempts.\n' % (retrycount,)
)
return results
|
search_with_retry
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sleeptime=3.0, retrycount=3, **params):\n results = []\n count = 0\n while count < retrycount:\n try:\n results = self.search(**params)\n break\n except urllib2.URLError:\n sys.stderr.write('Timeout while searching...Retrying\\n')\n time.sleep(sleeptime)\n count += 1\n else:\n sys.stderr.write('Aborting search after %d attempts.\\n' % (retrycount,)\n )\n return results\n",
"role": "user"
},
{
"content": "search_with_retry",
"role": "assistant"
}
] |
def x(self, bskid, group_basket=False, read_cache=True):
if bskid not in self.cached_baskets or not read_cache:
if self.user:
if group_basket:
group_basket = '&category=G'
else:
group_basket = ''
results = self.browser.open(self.server_url +
'/yourbaskets/display?of=xm&bskid=' + str(bskid) + group_basket
)
else:
results = urllib2.urlopen(self.server_url +
'/yourbaskets/display_public?of=xm&bskid=' + str(bskid))
else:
return self.cached_baskets[bskid]
parsed_records = self._parse_results(results, self.cached_records)
self.cached_baskets[bskid] = parsed_records
return parsed_records
|
get_records_from_basket
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bskid, group_basket=False, read_cache=True):\n if bskid not in self.cached_baskets or not read_cache:\n if self.user:\n if group_basket:\n group_basket = '&category=G'\n else:\n group_basket = ''\n results = self.browser.open(self.server_url +\n '/yourbaskets/display?of=xm&bskid=' + str(bskid) + group_basket\n )\n else:\n results = urllib2.urlopen(self.server_url +\n '/yourbaskets/display_public?of=xm&bskid=' + str(bskid))\n else:\n return self.cached_baskets[bskid]\n parsed_records = self._parse_results(results, self.cached_records)\n self.cached_baskets[bskid] = parsed_records\n return parsed_records\n",
"role": "user"
},
{
"content": "get_records_from_basket",
"role": "assistant"
}
] |
def x(self, recid, read_cache=True):
if recid in self.cached_records or not read_cache:
return self.cached_records[recid]
else:
return self.search(p='recid:' + str(recid))
|
get_record
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, recid, read_cache=True):\n if recid in self.cached_records or not read_cache:\n return self.cached_records[recid]\n else:\n return self.search(p='recid:' + str(recid))\n",
"role": "user"
},
{
"content": "get_record",
"role": "assistant"
}
] |
def x(self, results, cached_records):
parser = xml.sax.make_parser()
handler = RecordsHandler(cached_records)
parser.setContentHandler(handler)
parser.parse(results)
return handler.records
|
parse_results
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, results, cached_records):\n parser = xml.sax.make_parser()\n handler = RecordsHandler(cached_records)\n parser.setContentHandler(handler)\n parser.parse(results)\n return handler.records\n",
"role": "user"
},
{
"content": "parse_results",
"role": "assistant"
}
] |
def x(self):
try:
request = requests.head(self.server_url)
if request.status_code >= 400:
raise InvenioConnectorServerError(
"Unexpected status code '%d' accessing URL: %s" % (request.
status_code, self.server_url))
except (InvalidSchema, MissingSchema) as err:
raise InvenioConnectorServerError(
'Bad schema, expecting http:// or https://:\n %s' % (err,))
except ConnectionError as err:
raise InvenioConnectorServerError(
"Couldn't establish connection to '%s':\n %s" % (self.
server_url, err))
except InvalidURL as err:
raise InvenioConnectorServerError("Invalid URL '%s':\n %s" % (self.
server_url, err))
except RequestException as err:
raise InvenioConnectorServerError(
"Unknown error connecting to '%s':\n %s" % (self.server_url, err))
|
validate_server_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n request = requests.head(self.server_url)\n if request.status_code >= 400:\n raise InvenioConnectorServerError(\n \"Unexpected status code '%d' accessing URL: %s\" % (request.\n status_code, self.server_url))\n except (InvalidSchema, MissingSchema) as err:\n raise InvenioConnectorServerError(\n 'Bad schema, expecting http:// or https://:\\n %s' % (err,))\n except ConnectionError as err:\n raise InvenioConnectorServerError(\n \"Couldn't establish connection to '%s':\\n %s\" % (self.\n server_url, err))\n except InvalidURL as err:\n raise InvenioConnectorServerError(\"Invalid URL '%s':\\n %s\" % (self.\n server_url, err))\n except RequestException as err:\n raise InvenioConnectorServerError(\n \"Unknown error connecting to '%s':\\n %s\" % (self.server_url, err))\n",
"role": "user"
},
{
"content": "validate_server_url",
"role": "assistant"
}
] |
def x(self, results):
hits = {'total': 0, 'unique': 0}
day_hits = list(hits[0] for hits in results.values() if hits)
for metrics in day_hits:
hits['total'] += metrics['nb_hits']
hits['unique'] += metrics['nb_uniq_visitors']
return hits
|
get_cumulative_results
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, results):\n hits = {'total': 0, 'unique': 0}\n day_hits = list(hits[0] for hits in results.values() if hits)\n for metrics in day_hits:\n hits['total'] += metrics['nb_hits']\n hits['unique'] += metrics['nb_uniq_visitors']\n return hits\n",
"role": "user"
},
{
"content": "get_cumulative_results",
"role": "assistant"
}
] |
def x(self):
result = get_json_from_remote_server(self.call)
referrers = list(result)
for referrer in referrers:
referrer['sum_visit_length'] = stringify_seconds(referrer[
'sum_visit_length'])
return sorted(referrers, key=itemgetter('nb_visits'), reverse=True)[0:10]
|
get_result
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = get_json_from_remote_server(self.call)\n referrers = list(result)\n for referrer in referrers:\n referrer['sum_visit_length'] = stringify_seconds(referrer[\n 'sum_visit_length'])\n return sorted(referrers, key=itemgetter('nb_visits'), reverse=True)[0:10]\n",
"role": "user"
},
{
"content": "get_result",
"role": "assistant"
}
] |
def x(self):
result = get_json_from_remote_server(self.call)
seconds = self._get_average_duration(result) if result else 0
return stringify_seconds(seconds)
|
get_result
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = get_json_from_remote_server(self.call)\n seconds = self._get_average_duration(result) if result else 0\n return stringify_seconds(seconds)\n",
"role": "user"
},
{
"content": "get_result",
"role": "assistant"
}
] |
def x(self):
result = get_json_from_remote_server(self.call)
if result:
date, value = max(result.iteritems(), key=itemgetter(1))
return {'date': date, 'users': value}
else:
return {'date': 'No Data', 'users': 0}
|
get_result
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = get_json_from_remote_server(self.call)\n if result:\n date, value = max(result.iteritems(), key=itemgetter(1))\n return {'date': date, 'users': value}\n else:\n return {'date': 'No Data', 'users': 0}\n",
"role": "user"
},
{
"content": "get_result",
"role": "assistant"
}
] |
def x(self, default_response=None, **query_params):
query_url = self.get_query_url(**query_params)
return self._perform_call(query_url, default_response)
|
call
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, default_response=None, **query_params):\n query_url = self.get_query_url(**query_params)\n return self._perform_call(query_url, default_response)\n",
"role": "user"
},
{
"content": "call",
"role": "assistant"
}
] |
def x(self, query_params=None):
if query_params is None:
query_params = {}
query = ''
query_params['idSite'] = self.site_id
if self.api_token is not None:
query_params['token_auth'] = self.api_token
for key, value in query_params.iteritems():
if isinstance(value, list):
value = ','.join(value)
query += '{}={}&'.format(str(key), str(value))
return query[:-1]
|
get_query
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query_params=None):\n if query_params is None:\n query_params = {}\n query = ''\n query_params['idSite'] = self.site_id\n if self.api_token is not None:\n query_params['token_auth'] = self.api_token\n for key, value in query_params.iteritems():\n if isinstance(value, list):\n value = ','.join(value)\n query += '{}={}&'.format(str(key), str(value))\n return query[:-1]\n",
"role": "user"
},
{
"content": "get_query",
"role": "assistant"
}
] |
def x(self, query_url, default_response=None, timeout=10):
try:
response = requests.get(query_url, timeout=timeout)
except socket.timeout:
current_plugin.logger.warning('Timeout contacting Piwik server')
return default_response
except Exception:
current_plugin.logger.exception('Unable to connect')
return default_response
return response.content
|
perform_call
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query_url, default_response=None, timeout=10):\n try:\n response = requests.get(query_url, timeout=timeout)\n except socket.timeout:\n current_plugin.logger.warning('Timeout contacting Piwik server')\n return default_response\n except Exception:\n current_plugin.logger.exception('Unable to connect')\n return default_response\n return response.content\n",
"role": "user"
},
{
"content": "perform_call",
"role": "assistant"
}
] |
def x(self, records):
self_name = type(self).__name__
for i, batch in enumerate(grouper(records, self.BATCH_SIZE,
skip_missing=True), 1):
self.logger.info('%s processing batch %d', self_name, i)
try:
for j, proc_batch in enumerate(grouper(process_records(batch).
iteritems(), self.BATCH_SIZE, skip_missing=True), 1):
self.logger.info('%s uploading chunk #%d (batch %d)',
self_name, j, i)
self.upload_records({k: v for k, v in proc_batch},
from_queue=True)
except Exception:
self.logger.exception('%s could not upload batch', self_name)
return
self.logger.info('%s finished batch %d', self_name, i)
self.processed_records(batch)
self.logger.info('%s finished', self_name)
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, records):\n self_name = type(self).__name__\n for i, batch in enumerate(grouper(records, self.BATCH_SIZE,\n skip_missing=True), 1):\n self.logger.info('%s processing batch %d', self_name, i)\n try:\n for j, proc_batch in enumerate(grouper(process_records(batch).\n iteritems(), self.BATCH_SIZE, skip_missing=True), 1):\n self.logger.info('%s uploading chunk #%d (batch %d)',\n self_name, j, i)\n self.upload_records({k: v for k, v in proc_batch},\n from_queue=True)\n except Exception:\n self.logger.exception('%s could not upload batch', self_name)\n return\n self.logger.info('%s finished batch %d', self_name, i)\n self.processed_records(batch)\n self.logger.info('%s finished', self_name)\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self, events):
self_name = type(self).__name__
for i, batch in enumerate(grouper(events, self.INITIAL_BATCH_SIZE,
skip_missing=True), 1):
self.logger.debug('%s processing initial batch %d', self_name, i)
for j, processed_batch in enumerate(grouper(batch, self.BATCH_SIZE,
skip_missing=True), 1):
self.logger.info('%s uploading initial chunk #%d (batch %d)',
self_name, j, i)
self.upload_records(processed_batch, from_queue=False)
|
run_initial
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, events):\n self_name = type(self).__name__\n for i, batch in enumerate(grouper(events, self.INITIAL_BATCH_SIZE,\n skip_missing=True), 1):\n self.logger.debug('%s processing initial batch %d', self_name, i)\n for j, processed_batch in enumerate(grouper(batch, self.BATCH_SIZE,\n skip_missing=True), 1):\n self.logger.info('%s uploading initial chunk #%d (batch %d)',\n self_name, j, i)\n self.upload_records(processed_batch, from_queue=False)\n",
"role": "user"
},
{
"content": "run_initial",
"role": "assistant"
}
] |
def x(self, records):
for record in records:
self.logger.debug('Marking as processed: %s', record)
record.processed = True
db.session.commit()
|
processed_records
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, records):\n for record in records:\n self.logger.debug('Marking as processed: %s', record)\n record.processed = True\n db.session.commit()\n",
"role": "user"
},
{
"content": "processed_records",
"role": "assistant"
}
] |
def x():
if config.DB_LOG:
click.secho(
"""Warning: The database logger is currently enabled (DB_LOG = True).
This will slow down the migration. Unless you database is very small, please disable it."""
, fg='yellow')
click.confirm('Continue anyway?', abort=True)
|
cli
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if config.DB_LOG:\n click.secho(\n \"\"\"Warning: The database logger is currently enabled (DB_LOG = True).\nThis will slow down the migration. Unless you database is very small, please disable it.\"\"\"\n , fg='yellow')\n click.confirm('Continue anyway?', abort=True)\n",
"role": "user"
},
{
"content": "cli",
"role": "assistant"
}
] |
def x(self) ->None:
if self.config:
self.websocket = self.ws_client(self.loop, self.session, self.host,
self.config.websocketport, self.async_session_handler)
self.websocket.start()
else:
_LOGGER.error('No deCONZ config available')
|
start
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->None:\n if self.config:\n self.websocket = self.ws_client(self.loop, self.session, self.host,\n self.config.websocketport, self.async_session_handler)\n self.websocket.start()\n else:\n _LOGGER.error('No deCONZ config available')\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
async def async_load_parameters(self) ->bool:
"""Load deCONZ parameters.
Returns lists of indices of which devices was added.
"""
data = await self.async_get_state('')
_LOGGER.debug(pformat(data))
config = data.get('config', {})
groups = data.get('groups', {})
lights = data.get('lights', {})
sensors = data.get('sensors', {})
if not self.config:
self.config = DeconzConfig(config)
for group_id, group in groups.items():
if group_id in self.groups:
self.groups[group_id].async_add_scenes(group.get('scenes'),
self.async_put_state)
self.groups.update({group_id: DeconzGroup(group_id, group, self.
async_put_state) for group_id, group in groups.items() if group_id
not in self.groups})
self.lights.update({light_id: DeconzLight(light_id, light, self.
async_put_state) for light_id, light in lights.items() if light_id
not in self.lights})
self.update_group_color(self.lights.keys())
self.scenes.update({(group.id + '_' + scene.id): scene for group in
self.groups.values() for scene in group.scenes.values() if group.id +
'_' + scene.id not in self.scenes})
self.sensors.update({sensor_id: create_sensor(sensor_id, sensor, self.
async_put_state) for sensor_id, sensor in sensors.items() if
supported_sensor(sensor) and sensor_id not in self.sensors})
|
async_load_parameters
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def async_load_parameters(self) ->bool:\n \"\"\"Load deCONZ parameters.\n\n Returns lists of indices of which devices was added.\n \"\"\"\n data = await self.async_get_state('')\n _LOGGER.debug(pformat(data))\n config = data.get('config', {})\n groups = data.get('groups', {})\n lights = data.get('lights', {})\n sensors = data.get('sensors', {})\n if not self.config:\n self.config = DeconzConfig(config)\n for group_id, group in groups.items():\n if group_id in self.groups:\n self.groups[group_id].async_add_scenes(group.get('scenes'),\n self.async_put_state)\n self.groups.update({group_id: DeconzGroup(group_id, group, self.\n async_put_state) for group_id, group in groups.items() if group_id\n not in self.groups})\n self.lights.update({light_id: DeconzLight(light_id, light, self.\n async_put_state) for light_id, light in lights.items() if light_id\n not in self.lights})\n self.update_group_color(self.lights.keys())\n self.scenes.update({(group.id + '_' + scene.id): scene for group in\n self.groups.values() for scene in group.scenes.values() if group.id +\n '_' + scene.id not in self.scenes})\n self.sensors.update({sensor_id: create_sensor(sensor_id, sensor, self.\n async_put_state) for sensor_id, sensor in sensors.items() if \n supported_sensor(sensor) and sensor_id not in self.sensors})\n",
"role": "user"
},
{
"content": "async_load_parameters",
"role": "assistant"
}
] |
async def async_put_state(self, field: str, data: dict) ->dict:
"""Set state of object in deCONZ.
Field is a string representing a specific device in deCONZ
e.g. field='/lights/1/state'.
Data is a json object with what data you want to alter
e.g. data={'on': True}.
See Dresden Elektroniks REST API documentation for details:
http://dresden-elektronik.github.io/deconz-rest-doc/rest/
"""
session = self.session.put
url = self.api_url + field
jsondata = json.dumps(data)
response_dict = await async_request(session, url, data=jsondata)
return response_dict
|
async_put_state
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def async_put_state(self, field: str, data: dict) ->dict:\n \"\"\"Set state of object in deCONZ.\n\n Field is a string representing a specific device in deCONZ\n e.g. field='/lights/1/state'.\n Data is a json object with what data you want to alter\n e.g. data={'on': True}.\n See Dresden Elektroniks REST API documentation for details:\n http://dresden-elektronik.github.io/deconz-rest-doc/rest/\n \"\"\"\n session = self.session.put\n url = self.api_url + field\n jsondata = json.dumps(data)\n response_dict = await async_request(session, url, data=jsondata)\n return response_dict\n",
"role": "user"
},
{
"content": "async_put_state",
"role": "assistant"
}
] |
async def async_get_state(self, field: str) ->dict:
"""Get state of object in deCONZ.
Field is a string representing an API endpoint or lower
e.g. field='/lights'.
See Dresden Elektroniks REST API documentation for details:
http://dresden-elektronik.github.io/deconz-rest-doc/rest/
"""
session = self.session.get
url = self.api_url + field
response_dict = await async_request(session, url)
return response_dict
|
async_get_state
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def async_get_state(self, field: str) ->dict:\n \"\"\"Get state of object in deCONZ.\n\n Field is a string representing an API endpoint or lower\n e.g. field='/lights'.\n See Dresden Elektroniks REST API documentation for details:\n http://dresden-elektronik.github.io/deconz-rest-doc/rest/\n \"\"\"\n session = self.session.get\n url = self.api_url + field\n response_dict = await async_request(session, url)\n return response_dict\n",
"role": "user"
},
{
"content": "async_get_state",
"role": "assistant"
}
] |
def x(self, signal: str) ->None:
if signal == 'data':
self.async_event_handler(self.websocket.data)
elif signal == 'state':
if self.async_connection_status_callback:
self.async_connection_status_callback(self.websocket.state ==
'running')
|
async_session_handler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, signal: str) ->None:\n if signal == 'data':\n self.async_event_handler(self.websocket.data)\n elif signal == 'state':\n if self.async_connection_status_callback:\n self.async_connection_status_callback(self.websocket.state ==\n 'running')\n",
"role": "user"
},
{
"content": "async_session_handler",
"role": "assistant"
}
] |
def x(self, event: dict) ->None:
if event['e'] == 'added':
if event['r'] == 'lights' and event['id'] not in self.lights:
device_type = 'light'
device = self.lights[event['id']] = DeconzLight(event['id'],
event['light'], self.async_put_state)
elif event['r'] == 'sensors' and event['id'] not in self.sensors:
if supported_sensor(event['sensor']):
device_type = 'sensor'
device = self.sensors[event['id']] = create_sensor(event[
'id'], event['sensor'], self.async_put_state)
else:
_LOGGER.warning('Unsupported sensor %s', event)
return
else:
_LOGGER.debug('Unsupported event %s', event)
return
if self.async_add_device_callback:
self.async_add_device_callback(device_type, device)
elif event['e'] == 'changed':
if event['r'] == 'groups' and event['id'] in self.groups:
self.groups[event['id']].async_update(event)
elif event['r'] == 'lights' and event['id'] in self.lights:
self.lights[event['id']].async_update(event)
self.update_group_color([event['id']])
elif event['r'] == 'sensors' and event['id'] in self.sensors:
self.sensors[event['id']].async_update(event)
else:
_LOGGER.debug('Unsupported event %s', event)
elif event['e'] == 'deleted':
_LOGGER.debug('Removed event %s', event)
else:
_LOGGER.debug('Unsupported event %s', event)
|
async_event_handler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event: dict) ->None:\n if event['e'] == 'added':\n if event['r'] == 'lights' and event['id'] not in self.lights:\n device_type = 'light'\n device = self.lights[event['id']] = DeconzLight(event['id'],\n event['light'], self.async_put_state)\n elif event['r'] == 'sensors' and event['id'] not in self.sensors:\n if supported_sensor(event['sensor']):\n device_type = 'sensor'\n device = self.sensors[event['id']] = create_sensor(event[\n 'id'], event['sensor'], self.async_put_state)\n else:\n _LOGGER.warning('Unsupported sensor %s', event)\n return\n else:\n _LOGGER.debug('Unsupported event %s', event)\n return\n if self.async_add_device_callback:\n self.async_add_device_callback(device_type, device)\n elif event['e'] == 'changed':\n if event['r'] == 'groups' and event['id'] in self.groups:\n self.groups[event['id']].async_update(event)\n elif event['r'] == 'lights' and event['id'] in self.lights:\n self.lights[event['id']].async_update(event)\n self.update_group_color([event['id']])\n elif event['r'] == 'sensors' and event['id'] in self.sensors:\n self.sensors[event['id']].async_update(event)\n else:\n _LOGGER.debug('Unsupported event %s', event)\n elif event['e'] == 'deleted':\n _LOGGER.debug('Removed event %s', event)\n else:\n _LOGGER.debug('Unsupported event %s', event)\n",
"role": "user"
},
{
"content": "async_event_handler",
"role": "assistant"
}
] |
def x(self, lights: list) ->None:
for group in self.groups.values():
if not any({*lights} & {*group.lights}):
continue
light_ids = lights
if len(light_ids) > 1:
light_ids = group.lights
for light_id in light_ids:
if self.lights[light_id].reachable:
group.update_color_state(self.lights[light_id])
break
|
update_group_color
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lights: list) ->None:\n for group in self.groups.values():\n if not any({*lights} & {*group.lights}):\n continue\n light_ids = lights\n if len(light_ids) > 1:\n light_ids = group.lights\n for light_id in light_ids:\n if self.lights[light_id].reachable:\n group.update_color_state(self.lights[light_id])\n break\n",
"role": "user"
},
{
"content": "update_group_color",
"role": "assistant"
}
] |
def x(cls, file, volume, location, properties=None, overwrite=False,
copy_only=False, api=None):
data = {}
params = {}
volume = Transform.to_volume(volume)
file = Transform.to_file(file)
destination = {'volume': volume, 'location': location}
source = {'file': file}
if properties:
data['properties'] = properties
data['source'] = source
data['destination'] = destination
data['overwrite'] = overwrite
extra = {'resource': cls.__name__, 'query': data}
logger.info('Submitting export', extra=extra)
api = api if api else cls._API
if copy_only:
params['copy_only'] = True
_export = api.post(cls._URL['query'], data=data, params=params).json()
else:
_export = api.post(cls._URL['query'], data=data).json()
return Export(api=api, **_export)
|
submit_export
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, file, volume, location, properties=None, overwrite=False,\n copy_only=False, api=None):\n data = {}\n params = {}\n volume = Transform.to_volume(volume)\n file = Transform.to_file(file)\n destination = {'volume': volume, 'location': location}\n source = {'file': file}\n if properties:\n data['properties'] = properties\n data['source'] = source\n data['destination'] = destination\n data['overwrite'] = overwrite\n extra = {'resource': cls.__name__, 'query': data}\n logger.info('Submitting export', extra=extra)\n api = api if api else cls._API\n if copy_only:\n params['copy_only'] = True\n _export = api.post(cls._URL['query'], data=data, params=params).json()\n else:\n _export = api.post(cls._URL['query'], data=data).json()\n return Export(api=api, **_export)\n",
"role": "user"
},
{
"content": "submit_export",
"role": "assistant"
}
] |
def x(cls, volume=None, state=None, offset=None, limit=None, api=None):
api = api or cls._API
if volume:
volume = Transform.to_volume(volume)
return super(Export, cls)._query(url=cls._URL['query'], volume=volume,
state=state, offset=offset, limit=limit, fields='_all', api=api)
|
query
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, volume=None, state=None, offset=None, limit=None, api=None):\n api = api or cls._API\n if volume:\n volume = Transform.to_volume(volume)\n return super(Export, cls)._query(url=cls._URL['query'], volume=volume,\n state=state, offset=offset, limit=limit, fields='_all', api=api)\n",
"role": "user"
},
{
"content": "query",
"role": "assistant"
}
] |
def x(cls, exports, api=None):
api = api or cls._API
export_ids = [Transform.to_export(export) for export in exports]
data = {'export_ids': export_ids}
response = api.post(url=cls._URL['bulk_get'], data=data)
return ExportBulkRecord.parse_records(response=response, api=api)
|
bulk_get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, exports, api=None):\n api = api or cls._API\n export_ids = [Transform.to_export(export) for export in exports]\n data = {'export_ids': export_ids}\n response = api.post(url=cls._URL['bulk_get'], data=data)\n return ExportBulkRecord.parse_records(response=response, api=api)\n",
"role": "user"
},
{
"content": "bulk_get",
"role": "assistant"
}
] |
def x(cls, exports, copy_only=False, api=None):
if not exports:
raise SbgError('Exports are required')
api = api or cls._API
items = []
for export in exports:
file_ = Transform.to_file(export.get('file'))
volume = Transform.to_volume(export.get('volume'))
location = Transform.to_location(export.get('location'))
properties = export.get('properties', {})
overwrite = export.get('overwrite', False)
item = {'source': {'file': file_}, 'destination': {'volume': volume,
'location': location}, 'properties': properties, 'overwrite':
overwrite}
items.append(item)
data = {'items': items}
params = {'copy_only': copy_only}
response = api.post(url=cls._URL['bulk_create'], params=params, data=data)
return ExportBulkRecord.parse_records(response=response, api=api)
|
bulk_submit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, exports, copy_only=False, api=None):\n if not exports:\n raise SbgError('Exports are required')\n api = api or cls._API\n items = []\n for export in exports:\n file_ = Transform.to_file(export.get('file'))\n volume = Transform.to_volume(export.get('volume'))\n location = Transform.to_location(export.get('location'))\n properties = export.get('properties', {})\n overwrite = export.get('overwrite', False)\n item = {'source': {'file': file_}, 'destination': {'volume': volume,\n 'location': location}, 'properties': properties, 'overwrite':\n overwrite}\n items.append(item)\n data = {'items': items}\n params = {'copy_only': copy_only}\n response = api.post(url=cls._URL['bulk_create'], params=params, data=data)\n return ExportBulkRecord.parse_records(response=response, api=api)\n",
"role": "user"
},
{
"content": "bulk_submit",
"role": "assistant"
}
] |
def x(cls, offset=None, limit=None, api=None):
api = api if api else cls._API
return super(Division, cls)._query(url=cls._URL['query'], offset=offset,
limit=limit, fields='_all', api=api)
|
query
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, offset=None, limit=None, api=None):\n api = api if api else cls._API\n return super(Division, cls)._query(url=cls._URL['query'], offset=offset,\n limit=limit, fields='_all', api=api)\n",
"role": "user"
},
{
"content": "query",
"role": "assistant"
}
] |
async def async_get_api_key(session, host, port, username=None, password=
None, **kwargs):
"""Get a new API key for devicetype."""
url = 'http://{host}:{port}/api'.format(host=host, port=str(port))
auth = None
if username and password:
auth = aiohttp.BasicAuth(username, password=password)
data = b'{"devicetype": "pydeconz"}'
response = await async_request(session.post, url, auth=auth, data=data)
api_key = response[0]['success']['username']
_LOGGER.info('API key: %s', api_key)
return api_key
|
async_get_api_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def async_get_api_key(session, host, port, username=None, password=\n None, **kwargs):\n \"\"\"Get a new API key for devicetype.\"\"\"\n url = 'http://{host}:{port}/api'.format(host=host, port=str(port))\n auth = None\n if username and password:\n auth = aiohttp.BasicAuth(username, password=password)\n data = b'{\"devicetype\": \"pydeconz\"}'\n response = await async_request(session.post, url, auth=auth, data=data)\n api_key = response[0]['success']['username']\n _LOGGER.info('API key: %s', api_key)\n return api_key\n",
"role": "user"
},
{
"content": "async_get_api_key",
"role": "assistant"
}
] |
async def async_delete_api_key(session, host, port, api_key):
"""Delete API key from deCONZ."""
url = ('http://{host}:{port}/api/{api_key}/config/whitelist/{api_key}'.
format(host=host, port=str(port), api_key=api_key))
response = await async_request(session.delete, url)
_LOGGER.info(response)
|
async_delete_api_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def async_delete_api_key(session, host, port, api_key):\n \"\"\"Delete API key from deCONZ.\"\"\"\n url = ('http://{host}:{port}/api/{api_key}/config/whitelist/{api_key}'.\n format(host=host, port=str(port), api_key=api_key))\n response = await async_request(session.delete, url)\n _LOGGER.info(response)\n",
"role": "user"
},
{
"content": "async_delete_api_key",
"role": "assistant"
}
] |
async def async_delete_all_keys(session, host, port, api_key, api_keys=[]):
"""Delete all API keys except for the ones provided to the method."""
url = 'http://{}:{}/api/{}/config'.format(host, str(port), api_key)
response = await async_request(session.get, url)
api_keys.append(api_key)
for key in response['whitelist'].keys():
if key not in api_keys:
await async_delete_api_key(session, host, port, key)
|
async_delete_all_keys
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def async_delete_all_keys(session, host, port, api_key, api_keys=[]):\n \"\"\"Delete all API keys except for the ones provided to the method.\"\"\"\n url = 'http://{}:{}/api/{}/config'.format(host, str(port), api_key)\n response = await async_request(session.get, url)\n api_keys.append(api_key)\n for key in response['whitelist'].keys():\n if key not in api_keys:\n await async_delete_api_key(session, host, port, key)\n",
"role": "user"
},
{
"content": "async_delete_all_keys",
"role": "assistant"
}
] |
async def async_get_bridgeid(session, host, port, api_key, **kwargs):
"""Get bridge id for bridge."""
url = 'http://{}:{}/api/{}/config'.format(host, str(port), api_key)
response = await async_request(session.get, url)
bridgeid = response['bridgeid']
_LOGGER.info('Bridge id: %s', bridgeid)
return bridgeid
|
async_get_bridgeid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def async_get_bridgeid(session, host, port, api_key, **kwargs):\n \"\"\"Get bridge id for bridge.\"\"\"\n url = 'http://{}:{}/api/{}/config'.format(host, str(port), api_key)\n response = await async_request(session.get, url)\n bridgeid = response['bridgeid']\n _LOGGER.info('Bridge id: %s', bridgeid)\n return bridgeid\n",
"role": "user"
},
{
"content": "async_get_bridgeid",
"role": "assistant"
}
] |
async def async_discovery(session):
"""Find bridges allowing gateway discovery."""
bridges = []
response = await async_request(session.get, URL_DISCOVER)
if not response:
_LOGGER.info('No discoverable bridges available.')
return bridges
for bridge in response:
bridges.append({'bridgeid': bridge['id'], 'host': bridge[
'internalipaddress'], 'port': bridge['internalport']})
_LOGGER.info('Discovered the following bridges: %s.', bridges)
return bridges
|
async_discovery
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def async_discovery(session):\n \"\"\"Find bridges allowing gateway discovery.\"\"\"\n bridges = []\n response = await async_request(session.get, URL_DISCOVER)\n if not response:\n _LOGGER.info('No discoverable bridges available.')\n return bridges\n for bridge in response:\n bridges.append({'bridgeid': bridge['id'], 'host': bridge[\n 'internalipaddress'], 'port': bridge['internalport']})\n _LOGGER.info('Discovered the following bridges: %s.', bridges)\n return bridges\n",
"role": "user"
},
{
"content": "async_discovery",
"role": "assistant"
}
] |
async def async_request(session, url, **kwargs):
"""Do a web request and manage response."""
_LOGGER.debug('Sending %s to %s', kwargs, url)
try:
res = await session(url, **kwargs)
if res.content_type != 'application/json':
raise ResponseError('Invalid content type: {}'.format(res.
content_type))
response = await res.json()
_LOGGER.debug('HTTP request response: %s', response)
_raise_on_error(response)
return response
except aiohttp.client_exceptions.ClientError as err:
raise RequestError('Error requesting data from {}: {}'.format(url, err)
) from None
|
async_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def async_request(session, url, **kwargs):\n \"\"\"Do a web request and manage response.\"\"\"\n _LOGGER.debug('Sending %s to %s', kwargs, url)\n try:\n res = await session(url, **kwargs)\n if res.content_type != 'application/json':\n raise ResponseError('Invalid content type: {}'.format(res.\n content_type))\n response = await res.json()\n _LOGGER.debug('HTTP request response: %s', response)\n _raise_on_error(response)\n return response\n except aiohttp.client_exceptions.ClientError as err:\n raise RequestError('Error requesting data from {}: {}'.format(url, err)\n ) from None\n",
"role": "user"
},
{
"content": "async_request",
"role": "assistant"
}
] |
async def running(self):
"""Start websocket connection."""
url = 'http://{}:{}'.format(self.host, self.port)
try:
async with self.session.ws_connect(url) as ws:
self.state = STATE_RUNNING
async for msg in ws:
if self.state == STATE_STOPPED:
break
elif msg.type == aiohttp.WSMsgType.TEXT:
self._data = json.loads(msg.data)
self.async_session_handler_callback('data')
_LOGGER.debug('Websocket data: %s', msg.data)
elif msg.type == aiohttp.WSMsgType.CLOSED:
break
elif msg.type == aiohttp.WSMsgType.ERROR:
break
except aiohttp.ClientConnectorError:
if self.state != STATE_STOPPED:
self.retry()
except Exception as err:
_LOGGER.error('Unexpected error %s', err)
if self.state != STATE_STOPPED:
self.retry()
else:
if self.state != STATE_STOPPED:
self.retry()
|
running
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def running(self):\n \"\"\"Start websocket connection.\"\"\"\n url = 'http://{}:{}'.format(self.host, self.port)\n try:\n async with self.session.ws_connect(url) as ws:\n self.state = STATE_RUNNING\n async for msg in ws:\n if self.state == STATE_STOPPED:\n break\n elif msg.type == aiohttp.WSMsgType.TEXT:\n self._data = json.loads(msg.data)\n self.async_session_handler_callback('data')\n _LOGGER.debug('Websocket data: %s', msg.data)\n elif msg.type == aiohttp.WSMsgType.CLOSED:\n break\n elif msg.type == aiohttp.WSMsgType.ERROR:\n break\n except aiohttp.ClientConnectorError:\n if self.state != STATE_STOPPED:\n self.retry()\n except Exception as err:\n _LOGGER.error('Unexpected error %s', err)\n if self.state != STATE_STOPPED:\n self.retry()\n else:\n if self.state != STATE_STOPPED:\n self.retry()\n",
"role": "user"
},
{
"content": "running",
"role": "assistant"
}
] |
def x(self):
self.state = STATE_STARTING
self.loop.call_later(RETRY_TIMER, self.start)
_LOGGER.debug('Reconnecting to deCONZ in %i.', RETRY_TIMER)
|
retry
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.state = STATE_STARTING\n self.loop.call_later(RETRY_TIMER, self.start)\n _LOGGER.debug('Reconnecting to deCONZ in %i.', RETRY_TIMER)\n",
"role": "user"
},
{
"content": "retry",
"role": "assistant"
}
] |
def x(self):
if self.state != STATE_RUNNING:
conn = self.loop.create_connection(lambda : self, self.host, self.port)
task = self.loop.create_task(conn)
task.add_done_callback(self.init_done)
self.state = STATE_STARTING
|
start
|
[
{
"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.state != STATE_RUNNING:\n conn = self.loop.create_connection(lambda : self, self.host, self.port)\n task = self.loop.create_task(conn)\n task.add_done_callback(self.init_done)\n self.state = STATE_STARTING\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
def x(self, fut):
try:
if fut.exception():
fut.result()
except OSError as err:
_LOGGER.debug('Got exception %s', err)
self.retry()
|
init_done
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fut):\n try:\n if fut.exception():\n fut.result()\n except OSError as err:\n _LOGGER.debug('Got exception %s', err)\n self.retry()\n",
"role": "user"
},
{
"content": "init_done",
"role": "assistant"
}
] |
def x(self):
self.state = STATE_STOPPED
if self.transport:
self.transport.close()
|
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.state = STATE_STOPPED\n if self.transport:\n self.transport.close()\n",
"role": "user"
},
{
"content": "stop",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.