source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x():
engine = create_engine(get_url())
connection = engine.connect()
context.configure(connection=connection, target_metadata=
target_metadata, version_table=
'alembic_ziggurat_foundations_version', transaction_per_migration=True)
try:
with context.begin_transaction():
context.run_migrations()
finally:
connection.close()
| run_migrations_online | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n engine = create_engine(get_url())\n connection = engine.connect()\n context.configure(connection=connection, target_metadata=\n target_metadata, version_table=\n 'alembic_ziggurat_foundations_version', transaction_per_migration=True)\n try:\n with context.begin_transaction():\n context.run_migrations()\n finally:\n connection.close()\n",
"role": "user"
},
{
"content": "run_migrations_online",
"role": "assistant"
}
] |
def x(cls, user_id, perm_name, resource_id, db_session=None):
db_session = get_db_session(db_session)
query = db_session.query(cls.model).filter(cls.model.user_id == user_id)
query = query.filter(cls.model.resource_id == resource_id)
query = query.filter(cls.model.perm_name == perm_name)
return query.first()
| by_resource_user_and_perm | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, user_id, perm_name, resource_id, db_session=None):\n db_session = get_db_session(db_session)\n query = db_session.query(cls.model).filter(cls.model.user_id == user_id)\n query = query.filter(cls.model.resource_id == resource_id)\n query = query.filter(cls.model.perm_name == perm_name)\n return query.first()\n",
"role": "user"
},
{
"content": "by_resource_user_and_perm",
"role": "assistant"
}
] |
def x(self):
protocol = create_string_buffer(20)
model = create_string_buffer(20)
sid = c_int()
datatypes = c_int()
self._lib.tdSensor(protocol, sizeof(protocol), model, sizeof(model),
byref(sid), byref(datatypes))
return {'protocol': self._to_str(protocol), 'model': self._to_str(model
), 'id': sid.value, 'datatypes': datatypes.value}
| tdSensor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n protocol = create_string_buffer(20)\n model = create_string_buffer(20)\n sid = c_int()\n datatypes = c_int()\n self._lib.tdSensor(protocol, sizeof(protocol), model, sizeof(model),\n byref(sid), byref(datatypes))\n return {'protocol': self._to_str(protocol), 'model': self._to_str(model\n ), 'id': sid.value, 'datatypes': datatypes.value}\n",
"role": "user"
},
{
"content": "tdSensor",
"role": "assistant"
}
] |
def x(self, protocol, model, sid, datatype):
value = create_string_buffer(20)
timestamp = c_int()
self._lib.tdSensorValue(protocol, model, sid, datatype, value, sizeof(
value), byref(timestamp))
return {'value': self._to_str(value), 'timestamp': timestamp.value}
| tdSensorValue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, protocol, model, sid, datatype):\n value = create_string_buffer(20)\n timestamp = c_int()\n self._lib.tdSensorValue(protocol, model, sid, datatype, value, sizeof(\n value), byref(timestamp))\n return {'value': self._to_str(value), 'timestamp': timestamp.value}\n",
"role": "user"
},
{
"content": "tdSensorValue",
"role": "assistant"
}
] |
def x(self):
cid = c_int()
ctype = c_int()
name = create_string_buffer(255)
available = c_int()
self._lib.tdController(byref(cid), byref(ctype), name, sizeof(name),
byref(available))
return {'id': cid.value, 'type': ctype.value, 'name': self._to_str(name
), 'available': available.value}
| tdController | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n cid = c_int()\n ctype = c_int()\n name = create_string_buffer(255)\n available = c_int()\n self._lib.tdController(byref(cid), byref(ctype), name, sizeof(name),\n byref(available))\n return {'id': cid.value, 'type': ctype.value, 'name': self._to_str(name\n ), 'available': available.value}\n",
"role": "user"
},
{
"content": "tdController",
"role": "assistant"
}
] |
def x(schemes=None):
from passlib.context import CryptContext
if not schemes:
schemes = ['pbkdf2_sha256', 'bcrypt']
pwd_context = CryptContext(schemes=schemes, deprecated='auto')
return pwd_context
| make_passwordmanager | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(schemes=None):\n from passlib.context import CryptContext\n if not schemes:\n schemes = ['pbkdf2_sha256', 'bcrypt']\n pwd_context = CryptContext(schemes=schemes, deprecated='auto')\n return pwd_context\n",
"role": "user"
},
{
"content": "make_passwordmanager",
"role": "assistant"
}
] |
def x(user=None, group=None, user_group=None, group_permission=None,
user_permission=None, user_resource_permission=None,
group_resource_permission=None, resource=None, external_identity=None,
*args, **kwargs):
models = ModelProxy()
models.User = user
models.Group = group
models.UserGroup = user_group
models.GroupPermission = group_permission
models.UserPermission = user_permission
models.UserResourcePermission = user_resource_permission
models.GroupResourcePermission = group_resource_permission
models.Resource = resource
models.ExternalIdentity = external_identity
model_service_mapping = import_model_service_mappings()
if kwargs.get('passwordmanager'):
user.passwordmanager = kwargs['passwordmanager']
else:
user.passwordmanager = make_passwordmanager(kwargs.get(
'passwordmanager_schemes'))
for name, cls in models.items():
services = model_service_mapping.get(name, [])
for service in services:
setattr(service, 'model', cls)
setattr(service, 'models_proxy', models)
| ziggurat_model_init | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user=None, group=None, user_group=None, group_permission=None,\n user_permission=None, user_resource_permission=None,\n group_resource_permission=None, resource=None, external_identity=None,\n *args, **kwargs):\n models = ModelProxy()\n models.User = user\n models.Group = group\n models.UserGroup = user_group\n models.GroupPermission = group_permission\n models.UserPermission = user_permission\n models.UserResourcePermission = user_resource_permission\n models.GroupResourcePermission = group_resource_permission\n models.Resource = resource\n models.ExternalIdentity = external_identity\n model_service_mapping = import_model_service_mappings()\n if kwargs.get('passwordmanager'):\n user.passwordmanager = kwargs['passwordmanager']\n else:\n user.passwordmanager = make_passwordmanager(kwargs.get(\n 'passwordmanager_schemes'))\n for name, cls in models.items():\n services = model_service_mapping.get(name, [])\n for service in services:\n setattr(service, 'model', cls)\n setattr(service, 'models_proxy', models)\n",
"role": "user"
},
{
"content": "ziggurat_model_init",
"role": "assistant"
}
] |
def x(request, year=None, month=None, day=None, template='gnotty/messages.html'
):
query = request.REQUEST.get('q')
prev_url, next_url = None, None
messages = IRCMessage.objects.all()
if hide_joins_and_leaves(request):
messages = messages.filter(join_or_leave=False)
if query:
search = Q(message__icontains=query) | Q(nickname__icontains=query)
messages = messages.filter(search).order_by('-message_time')
elif year and month and day:
messages = messages.filter(message_time__year=year,
message_time__month=month, message_time__day=day)
day_delta = timedelta(days=1)
this_date = date(int(year), int(month), int(day))
prev_date = this_date - day_delta
next_date = this_date + day_delta
prev_url = reverse('gnotty_day', args=prev_date.timetuple()[:3])
next_url = reverse('gnotty_day', args=next_date.timetuple()[:3])
else:
return redirect('gnotty_year', year=datetime.now().year)
context = dict(settings)
context['messages'] = messages
context['prev_url'] = prev_url
context['next_url'] = next_url
return render(request, template, context)
| messages | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, year=None, month=None, day=None, template='gnotty/messages.html'\n ):\n query = request.REQUEST.get('q')\n prev_url, next_url = None, None\n messages = IRCMessage.objects.all()\n if hide_joins_and_leaves(request):\n messages = messages.filter(join_or_leave=False)\n if query:\n search = Q(message__icontains=query) | Q(nickname__icontains=query)\n messages = messages.filter(search).order_by('-message_time')\n elif year and month and day:\n messages = messages.filter(message_time__year=year,\n message_time__month=month, message_time__day=day)\n day_delta = timedelta(days=1)\n this_date = date(int(year), int(month), int(day))\n prev_date = this_date - day_delta\n next_date = this_date + day_delta\n prev_url = reverse('gnotty_day', args=prev_date.timetuple()[:3])\n next_url = reverse('gnotty_day', args=next_date.timetuple()[:3])\n else:\n return redirect('gnotty_year', year=datetime.now().year)\n context = dict(settings)\n context['messages'] = messages\n context['prev_url'] = prev_url\n context['next_url'] = next_url\n return render(request, template, context)\n",
"role": "user"
},
{
"content": "messages",
"role": "assistant"
}
] |
def x(request, year=None, month=None, template='gnotty/calendar.html'):
try:
year = int(year)
except TypeError:
year = datetime.now().year
lookup = {'message_time__year': year}
if month:
lookup['message_time__month'] = month
if hide_joins_and_leaves(request):
lookup['join_or_leave'] = False
messages = IRCMessage.objects.filter(**lookup)
try:
dates = messages.datetimes('message_time', 'day')
except AttributeError:
dates = messages.dates('message_time', 'day')
days = [d.date() for d in dates]
months = []
if days:
min_date, max_date = days[0], days[-1]
days = set(days)
calendar = Calendar(SUNDAY)
for m in (range(1, 13) if not month else [int(month)]):
lt_max = m <= max_date.month or year < max_date.year
gt_min = m >= min_date.month or year > min_date.year
if lt_max and gt_min:
weeks = calendar.monthdatescalendar(year, m)
for w, week in enumerate(weeks):
for d, day in enumerate(week):
weeks[w][d] = {'date': day, 'in_month': day.month ==
m, 'has_messages': day in days}
months.append({'month': date(year, m, 1), 'weeks': weeks})
context = dict(settings)
context['months'] = months
return render(request, template, context)
| calendar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, year=None, month=None, template='gnotty/calendar.html'):\n try:\n year = int(year)\n except TypeError:\n year = datetime.now().year\n lookup = {'message_time__year': year}\n if month:\n lookup['message_time__month'] = month\n if hide_joins_and_leaves(request):\n lookup['join_or_leave'] = False\n messages = IRCMessage.objects.filter(**lookup)\n try:\n dates = messages.datetimes('message_time', 'day')\n except AttributeError:\n dates = messages.dates('message_time', 'day')\n days = [d.date() for d in dates]\n months = []\n if days:\n min_date, max_date = days[0], days[-1]\n days = set(days)\n calendar = Calendar(SUNDAY)\n for m in (range(1, 13) if not month else [int(month)]):\n lt_max = m <= max_date.month or year < max_date.year\n gt_min = m >= min_date.month or year > min_date.year\n if lt_max and gt_min:\n weeks = calendar.monthdatescalendar(year, m)\n for w, week in enumerate(weeks):\n for d, day in enumerate(week):\n weeks[w][d] = {'date': day, 'in_month': day.month ==\n m, 'has_messages': day in days}\n months.append({'month': date(year, m, 1), 'weeks': weeks})\n context = dict(settings)\n context['months'] = months\n return render(request, template, context)\n",
"role": "user"
},
{
"content": "calendar",
"role": "assistant"
}
] |
def x(api_client, func, name):
client_attr = getattr(api_client, name)
if not callable(client_attr):
return client_attr
return OperationDecorator(client_attr, functools.partial(func, name))
| decorate_client | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(api_client, func, name):\n client_attr = getattr(api_client, name)\n if not callable(client_attr):\n return client_attr\n return OperationDecorator(client_attr, functools.partial(func, name))\n",
"role": "user"
},
{
"content": "decorate_client",
"role": "assistant"
}
] |
def x(self):
ttl_seconds = self.get_mutex_ttl_seconds()
if ttl_seconds is not None:
DBMutex.objects.filter(creation_time__lte=timezone.now() -
timedelta(seconds=ttl_seconds)).delete()
| delete_expired_locks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ttl_seconds = self.get_mutex_ttl_seconds()\n if ttl_seconds is not None:\n DBMutex.objects.filter(creation_time__lte=timezone.now() -\n timedelta(seconds=ttl_seconds)).delete()\n",
"role": "user"
},
{
"content": "delete_expired_locks",
"role": "assistant"
}
] |
def x(self):
self.delete_expired_locks()
try:
with transaction.atomic():
self.lock = DBMutex.objects.create(lock_id=self.lock_id)
except IntegrityError:
raise DBMutexError('Could not acquire lock: {0}'.format(self.lock_id))
| start | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.delete_expired_locks()\n try:\n with transaction.atomic():\n self.lock = DBMutex.objects.create(lock_id=self.lock_id)\n except IntegrityError:\n raise DBMutexError('Could not acquire lock: {0}'.format(self.lock_id))\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
def x(self):
if not DBMutex.objects.filter(id=self.lock.id).exists():
raise DBMutexTimeoutError('Lock {0} expired before function completed'
.format(self.lock_id))
else:
self.lock.delete()
| stop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not DBMutex.objects.filter(id=self.lock.id).exists():\n raise DBMutexTimeoutError('Lock {0} expired before function completed'\n .format(self.lock_id))\n else:\n self.lock.delete()\n",
"role": "user"
},
{
"content": "stop",
"role": "assistant"
}
] |
def x(self, func):
def x(*args, **kwargs):
try:
with self:
result = func(*args, **kwargs)
return result
except DBMutexError as e:
if self.suppress_acquisition_exceptions:
LOG.error(e)
else:
raise e
functools.update_wrapper(wrapper, func)
return wrapper
| decorate_callable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func):\n\n def x(*args, **kwargs):\n try:\n with self:\n result = func(*args, **kwargs)\n return result\n except DBMutexError as e:\n if self.suppress_acquisition_exceptions:\n LOG.error(e)\n else:\n raise e\n functools.update_wrapper(wrapper, func)\n return wrapper\n",
"role": "user"
},
{
"content": "decorate_callable",
"role": "assistant"
}
] |
def x(userid, request):
if userid and hasattr(request, 'user') and request.user:
groups = [('group:%s' % g.id) for g in request.user.groups]
return groups
return []
| groupfinder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(userid, request):\n if userid and hasattr(request, 'user') and request.user:\n groups = [('group:%s' % g.id) for g in request.user.groups]\n return groups\n return []\n",
"role": "user"
},
{
"content": "groupfinder",
"role": "assistant"
}
] |
def x(repulsion, nodes, barnes_hut_optimize=False, region=None,
barnes_hut_theta=1.2):
if not barnes_hut_optimize:
for i in range(0, len(nodes)):
for j in range(0, i):
repulsion.apply_node_to_node(nodes[i], nodes[j])
else:
for i in range(0, len(nodes)):
region.apply_force(nodes[i], repulsion, barnes_hut_theta)
| apply_repulsion | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(repulsion, nodes, barnes_hut_optimize=False, region=None,\n barnes_hut_theta=1.2):\n if not barnes_hut_optimize:\n for i in range(0, len(nodes)):\n for j in range(0, i):\n repulsion.apply_node_to_node(nodes[i], nodes[j])\n else:\n for i in range(0, len(nodes)):\n region.apply_force(nodes[i], repulsion, barnes_hut_theta)\n",
"role": "user"
},
{
"content": "apply_repulsion",
"role": "assistant"
}
] |
def x(repulsion, nodes, gravity, scaling_ratio):
for i in range(0, len(nodes)):
repulsion.apply_gravitation(nodes[i], gravity / scaling_ratio)
| apply_gravity | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(repulsion, nodes, gravity, scaling_ratio):\n for i in range(0, len(nodes)):\n repulsion.apply_gravitation(nodes[i], gravity / scaling_ratio)\n",
"role": "user"
},
{
"content": "apply_gravity",
"role": "assistant"
}
] |
def x(cls, external_id, local_user_id, provider_name, db_session=None):
db_session = get_db_session(db_session)
return db_session.query(cls.model).get([external_id, local_user_id,
provider_name])
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, external_id, local_user_id, provider_name, db_session=None):\n db_session = get_db_session(db_session)\n return db_session.query(cls.model).get([external_id, local_user_id,\n provider_name])\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(cls, external_id, provider_name, db_session=None):
db_session = get_db_session(db_session)
query = db_session.query(cls.model)
query = query.filter(cls.model.external_id == external_id)
query = query.filter(cls.model.provider_name == provider_name)
return query.first()
| by_external_id_and_provider | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, external_id, provider_name, db_session=None):\n db_session = get_db_session(db_session)\n query = db_session.query(cls.model)\n query = query.filter(cls.model.external_id == external_id)\n query = query.filter(cls.model.provider_name == provider_name)\n return query.first()\n",
"role": "user"
},
{
"content": "by_external_id_and_provider",
"role": "assistant"
}
] |
def x(cls, external_id, provider_name, db_session=None):
db_session = get_db_session(db_session)
query = db_session.query(cls.models_proxy.User)
query = query.filter(cls.model.external_id == external_id)
query = query.filter(cls.model.provider_name == provider_name)
query = query.filter(cls.models_proxy.User.id == cls.model.local_user_id)
return query.first()
| user_by_external_id_and_provider | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, external_id, provider_name, db_session=None):\n db_session = get_db_session(db_session)\n query = db_session.query(cls.models_proxy.User)\n query = query.filter(cls.model.external_id == external_id)\n query = query.filter(cls.model.provider_name == provider_name)\n query = query.filter(cls.models_proxy.User.id == cls.model.local_user_id)\n return query.first()\n",
"role": "user"
},
{
"content": "user_by_external_id_and_provider",
"role": "assistant"
}
] |
def x(cls, user_id, perm_name, db_session=None):
db_session = get_db_session(db_session)
query = db_session.query(cls.model).filter(cls.model.user_id == user_id)
query = query.filter(cls.model.perm_name == perm_name)
return query.first()
| by_user_and_perm | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, user_id, perm_name, db_session=None):\n db_session = get_db_session(db_session)\n query = db_session.query(cls.model).filter(cls.model.user_id == user_id)\n query = query.filter(cls.model.perm_name == perm_name)\n return query.first()\n",
"role": "user"
},
{
"content": "by_user_and_perm",
"role": "assistant"
}
] |
def x(cls, *subclass_names):
if not isinstance(cls, (ClassDef, Instance)):
return False
for base_cls in cls.bases:
try:
for inf in base_cls.inferred():
if inf.qname() in subclass_names:
return True
if inf != cls and node_is_subclass(inf, *subclass_names):
return True
except InferenceError:
continue
return False
| node_is_subclass | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, *subclass_names):\n if not isinstance(cls, (ClassDef, Instance)):\n return False\n for base_cls in cls.bases:\n try:\n for inf in base_cls.inferred():\n if inf.qname() in subclass_names:\n return True\n if inf != cls and node_is_subclass(inf, *subclass_names):\n return True\n except InferenceError:\n continue\n return False\n",
"role": "user"
},
{
"content": "node_is_subclass",
"role": "assistant"
}
] |
def x(node):
name = node.attrname
parent = node.last_child()
inferred = safe_infer(parent)
if not inferred:
return False
for cls_name, inst in FIELD_TYPES.items():
if node_is_instance(inferred, cls_name) and hasattr(inst, name):
return True
return False
| is_field_method | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node):\n name = node.attrname\n parent = node.last_child()\n inferred = safe_infer(parent)\n if not inferred:\n return False\n for cls_name, inst in FIELD_TYPES.items():\n if node_is_instance(inferred, cls_name) and hasattr(inst, name):\n return True\n return False\n",
"role": "user"
},
{
"content": "is_field_method",
"role": "assistant"
}
] |
def x(node):
while node.parent:
if isinstance(node, ClassDef):
return node
node = node.parent
| get_node_parent_class | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node):\n while node.parent:\n if isinstance(node, ClassDef):\n return node\n node = node.parent\n",
"role": "user"
},
{
"content": "get_node_parent_class",
"role": "assistant"
}
] |
def x(node):
name = node.attrname
cls = get_node_parent_class(node)
definition = cls.lookup(name)[1][0].statement()
return definition
| get_field_definition | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node):\n name = node.attrname\n cls = get_node_parent_class(node)\n definition = cls.lookup(name)[1][0].statement()\n return definition\n",
"role": "user"
},
{
"content": "get_field_definition",
"role": "assistant"
}
] |
def x(node):
definition = get_field_definition(node)
cls_name = definition.last_child().last_child()
cls = next(cls_name.infer())
return cls
| get_field_embedded_doc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node):\n definition = get_field_definition(node)\n cls_name = definition.last_child().last_child()\n cls = next(cls_name.infer())\n return cls\n",
"role": "user"
},
{
"content": "get_field_embedded_doc",
"role": "assistant"
}
] |
def x(node):
embedded_doc = get_field_embedded_doc(node.last_child())
name = node.attrname
try:
r = bool(embedded_doc.lookup(name)[1][0])
except IndexError:
r = False
return r
| node_is_embedded_doc_attr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node):\n embedded_doc = get_field_embedded_doc(node.last_child())\n name = node.attrname\n try:\n r = bool(embedded_doc.lookup(name)[1][0])\n except IndexError:\n r = False\n return r\n",
"role": "user"
},
{
"content": "node_is_embedded_doc_attr",
"role": "assistant"
}
] |
def x(self, connection, event):
super(BaseBot, self)._dispatcher(connection, event)
for handler in self.events[event.eventtype()]:
handler(self, connection, event)
| dispatcher | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection, event):\n super(BaseBot, self)._dispatcher(connection, event)\n for handler in self.events[event.eventtype()]:\n handler(self, connection, event)\n",
"role": "user"
},
{
"content": "dispatcher",
"role": "assistant"
}
] |
def x(self, message):
self.log(None, message)
super(BaseBot, self).message_channel(message)
| message_channel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n self.log(None, message)\n super(BaseBot, self).message_channel(message)\n",
"role": "user"
},
{
"content": "message_channel",
"role": "assistant"
}
] |
def x(self, connection, event):
for message in event.arguments():
self.log(event, message)
command_args = filter(None, message.split())
command_name = command_args.pop(0)
for handler in self.events['command']:
if handler.event.args['command'] == command_name:
self.handle_command_event(event, handler, command_args)
| on_pubmsg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection, event):\n for message in event.arguments():\n self.log(event, message)\n command_args = filter(None, message.split())\n command_name = command_args.pop(0)\n for handler in self.events['command']:\n if handler.event.args['command'] == command_name:\n self.handle_command_event(event, handler, command_args)\n",
"role": "user"
},
{
"content": "on_pubmsg",
"role": "assistant"
}
] |
def x(self, event, command, args):
argspec = getargspec(command)
num_all_args = len(argspec.args) - 2
num_pos_args = num_all_args - len(argspec.defaults or [])
if num_pos_args <= len(args) <= num_all_args:
response = command(self, event, *args)
elif num_all_args == num_pos_args:
s = 's are' if num_all_args != 1 else ' is'
response = '%s arg%s required' % (num_all_args, s)
else:
bits = num_pos_args, num_all_args
response = 'between %s and %s args are required' % bits
response = '%s: %s' % (self.get_nickname(event), response)
self.message_channel(response)
| handle_command_event | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event, command, args):\n argspec = getargspec(command)\n num_all_args = len(argspec.args) - 2\n num_pos_args = num_all_args - len(argspec.defaults or [])\n if num_pos_args <= len(args) <= num_all_args:\n response = command(self, event, *args)\n elif num_all_args == num_pos_args:\n s = 's are' if num_all_args != 1 else ' is'\n response = '%s arg%s required' % (num_all_args, s)\n else:\n bits = num_pos_args, num_all_args\n response = 'between %s and %s args are required' % bits\n response = '%s: %s' % (self.get_nickname(event), response)\n self.message_channel(response)\n",
"role": "user"
},
{
"content": "handle_command_event",
"role": "assistant"
}
] |
def x(self, handler):
while True:
handler(self)
sleep(handler.event.args['seconds'])
| handle_timer_event | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handler):\n while True:\n handler(self)\n sleep(handler.event.args['seconds'])\n",
"role": "user"
},
{
"content": "handle_timer_event",
"role": "assistant"
}
] |
def x(self, environ, url, params):
for handler in self.events['webhook']:
urlpattern = handler.event.args['urlpattern']
if not urlpattern or match(urlpattern, url):
response = handler(self, environ, url, params)
if response:
return response
| handle_webhook_event | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, environ, url, params):\n for handler in self.events['webhook']:\n urlpattern = handler.event.args['urlpattern']\n if not urlpattern or match(urlpattern, url):\n response = handler(self, environ, url, params)\n if response:\n return response\n",
"role": "user"
},
{
"content": "handle_webhook_event",
"role": "assistant"
}
] |
def x(id, lib=None):
lib = lib or Library()
if lib.tdGetDeviceType(id) == const.TELLSTICK_TYPE_GROUP:
return DeviceGroup(id, lib=lib)
return Device(id, lib=lib)
| DeviceFactory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id, lib=None):\n lib = lib or Library()\n if lib.tdGetDeviceType(id) == const.TELLSTICK_TYPE_GROUP:\n return DeviceGroup(id, lib=lib)\n return Device(id, lib=lib)\n",
"role": "user"
},
{
"content": "DeviceFactory",
"role": "assistant"
}
] |
def x(self, block=True):
try:
callback, args = self._queue.get(block=block)
try:
callback(*args)
finally:
self._queue.task_done()
except queue.Empty:
return False
return True
| process_callback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, block=True):\n try:\n callback, args = self._queue.get(block=block)\n try:\n callback(*args)\n finally:\n self._queue.task_done()\n except queue.Empty:\n return False\n return True\n",
"role": "user"
},
{
"content": "process_callback",
"role": "assistant"
}
] |
def x(self):
devices = []
count = self.lib.tdGetNumberOfDevices()
for i in range(count):
device = DeviceFactory(self.lib.tdGetDeviceId(i), lib=self.lib)
devices.append(device)
return devices
| devices | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n devices = []\n count = self.lib.tdGetNumberOfDevices()\n for i in range(count):\n device = DeviceFactory(self.lib.tdGetDeviceId(i), lib=self.lib)\n devices.append(device)\n return devices\n",
"role": "user"
},
{
"content": "devices",
"role": "assistant"
}
] |
def x(self):
sensors = []
try:
while True:
sensor = self.lib.tdSensor()
sensors.append(Sensor(lib=self.lib, **sensor))
except TelldusError as e:
if e.error != const.TELLSTICK_ERROR_DEVICE_NOT_FOUND:
raise
return sensors
| sensors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n sensors = []\n try:\n while True:\n sensor = self.lib.tdSensor()\n sensors.append(Sensor(lib=self.lib, **sensor))\n except TelldusError as e:\n if e.error != const.TELLSTICK_ERROR_DEVICE_NOT_FOUND:\n raise\n return sensors\n",
"role": "user"
},
{
"content": "sensors",
"role": "assistant"
}
] |
def x(self):
controllers = []
try:
while True:
controller = self.lib.tdController()
del controller['name']
del controller['available']
controllers.append(Controller(lib=self.lib, **controller))
except TelldusError as e:
if e.error != const.TELLSTICK_ERROR_NOT_FOUND:
raise
return controllers
| controllers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n controllers = []\n try:\n while True:\n controller = self.lib.tdController()\n del controller['name']\n del controller['available']\n controllers.append(Controller(lib=self.lib, **controller))\n except TelldusError as e:\n if e.error != const.TELLSTICK_ERROR_NOT_FOUND:\n raise\n return controllers\n",
"role": "user"
},
{
"content": "controllers",
"role": "assistant"
}
] |
def x(self, name, protocol, model=None, **parameters):
device = Device(self.lib.tdAddDevice(), lib=self.lib)
try:
device.name = name
device.protocol = protocol
if model:
device.model = model
for key, value in parameters.items():
device.set_parameter(key, value)
return DeviceFactory(device.id, lib=self.lib)
except Exception:
import sys
exc_info = sys.exc_info()
try:
device.remove()
except:
pass
if 'with_traceback' in dir(Exception):
raise exc_info[0].with_traceback(exc_info[1], exc_info[2])
else:
exec('raise exc_info[0], exc_info[1], exc_info[2]')
| add_device | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, protocol, model=None, **parameters):\n device = Device(self.lib.tdAddDevice(), lib=self.lib)\n try:\n device.name = name\n device.protocol = protocol\n if model:\n device.model = model\n for key, value in parameters.items():\n device.set_parameter(key, value)\n return DeviceFactory(device.id, lib=self.lib)\n except Exception:\n import sys\n exc_info = sys.exc_info()\n try:\n device.remove()\n except:\n pass\n if 'with_traceback' in dir(Exception):\n raise exc_info[0].with_traceback(exc_info[1], exc_info[2])\n else:\n exec('raise exc_info[0], exc_info[1], exc_info[2]')\n",
"role": "user"
},
{
"content": "add_device",
"role": "assistant"
}
] |
def x(self, name, devices):
device = self.add_device(name, 'group')
device.add_to_group(devices)
return device
| add_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, devices):\n device = self.add_device(name, 'group')\n device.add_to_group(devices)\n return device\n",
"role": "user"
},
{
"content": "add_group",
"role": "assistant"
}
] |
def x(self, vid, pid, serial):
self.lib.tdConnectTellStickController(vid, pid, serial)
| connect_controller | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, vid, pid, serial):\n self.lib.tdConnectTellStickController(vid, pid, serial)\n",
"role": "user"
},
{
"content": "connect_controller",
"role": "assistant"
}
] |
def x(self, vid, pid, serial):
self.lib.tdDisconnectTellStickController(vid, pid, serial)
| disconnect_controller | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, vid, pid, serial):\n self.lib.tdDisconnectTellStickController(vid, pid, serial)\n",
"role": "user"
},
{
"content": "disconnect_controller",
"role": "assistant"
}
] |
def x(self):
parameters = {}
for name in self.PARAMETERS:
try:
parameters[name] = self.get_parameter(name)
except AttributeError:
pass
return parameters
| parameters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n parameters = {}\n for name in self.PARAMETERS:\n try:\n parameters[name] = self.get_parameter(name)\n except AttributeError:\n pass\n return parameters\n",
"role": "user"
},
{
"content": "parameters",
"role": "assistant"
}
] |
def x(self, name):
default_value = '$%!)(INVALID)(!%$'
value = self.lib.tdGetDeviceParameter(self.id, name, default_value)
if value == default_value:
raise AttributeError(name)
return value
| get_parameter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n default_value = '$%!)(INVALID)(!%$'\n value = self.lib.tdGetDeviceParameter(self.id, name, default_value)\n if value == default_value:\n raise AttributeError(name)\n return value\n",
"role": "user"
},
{
"content": "get_parameter",
"role": "assistant"
}
] |
def x(self, name, value):
self.lib.tdSetDeviceParameter(self.id, name, str(value))
| set_parameter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, value):\n self.lib.tdSetDeviceParameter(self.id, name, str(value))\n",
"role": "user"
},
{
"content": "set_parameter",
"role": "assistant"
}
] |
def x(self, devices):
ids = {d.id for d in self.devices_in_group()}
ids.update(self._device_ids(devices))
self._set_group(ids)
| add_to_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, devices):\n ids = {d.id for d in self.devices_in_group()}\n ids.update(self._device_ids(devices))\n self._set_group(ids)\n",
"role": "user"
},
{
"content": "add_to_group",
"role": "assistant"
}
] |
def x(self, devices):
ids = {d.id for d in self.devices_in_group()}
ids.difference_update(self._device_ids(devices))
self._set_group(ids)
| remove_from_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, devices):\n ids = {d.id for d in self.devices_in_group()}\n ids.difference_update(self._device_ids(devices))\n self._set_group(ids)\n",
"role": "user"
},
{
"content": "remove_from_group",
"role": "assistant"
}
] |
def x(self):
try:
devices = self.get_parameter('devices')
except AttributeError:
return []
ctor = DeviceFactory
return [ctor(int(x), lib=self.lib) for x in devices.split(',') if x]
| devices_in_group | [
{
"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 devices = self.get_parameter('devices')\n except AttributeError:\n return []\n ctor = DeviceFactory\n return [ctor(int(x), lib=self.lib) for x in devices.split(',') if x]\n",
"role": "user"
},
{
"content": "devices_in_group",
"role": "assistant"
}
] |
def x(self, datatype):
value = self.lib.tdSensorValue(self.protocol, self.model, self.id, datatype
)
return SensorValue(datatype, value['value'], value['timestamp'])
| value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, datatype):\n value = self.lib.tdSensorValue(self.protocol, self.model, self.id, datatype\n )\n return SensorValue(datatype, value['value'], value['timestamp'])\n",
"role": "user"
},
{
"content": "value",
"role": "assistant"
}
] |
def x(points):
while 1:
point = points[-1]
if point.segmentType:
break
else:
point = points.pop()
points.insert(0, point)
continue
break
| prepPointsForSegments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(points):\n while 1:\n point = points[-1]\n if point.segmentType:\n break\n else:\n point = points.pop()\n points.insert(0, point)\n continue\n break\n",
"role": "user"
},
{
"content": "prepPointsForSegments",
"role": "assistant"
}
] |
def x(points):
points = _copyPoints(points)
firstOnCurve = None
for index, point in enumerate(points):
if point.segmentType is not None:
firstOnCurve = index
break
lastSegmentType = points[firstOnCurve].segmentType
points = reversed(points)
final = []
for point in points:
segmentType = point.segmentType
if segmentType is not None:
point.segmentType = lastSegmentType
lastSegmentType = segmentType
final.append(point)
_prepPointsForSegments(final)
return final
| reversePoints | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(points):\n points = _copyPoints(points)\n firstOnCurve = None\n for index, point in enumerate(points):\n if point.segmentType is not None:\n firstOnCurve = index\n break\n lastSegmentType = points[firstOnCurve].segmentType\n points = reversed(points)\n final = []\n for point in points:\n segmentType = point.segmentType\n if segmentType is not None:\n point.segmentType = lastSegmentType\n lastSegmentType = segmentType\n final.append(point)\n _prepPointsForSegments(final)\n return final\n",
"role": "user"
},
{
"content": "reversePoints",
"role": "assistant"
}
] |
def x(points, willBeReversed=False):
previousOnCurve = None
for point in reversed(points):
if point.segmentType is not None:
previousOnCurve = point.coordinates
break
assert previousOnCurve is not None
offCurves = []
segments = []
for point in points:
if point.segmentType is None:
offCurves.append(point)
else:
segment = InputSegment(points=offCurves + [point],
previousOnCurve=previousOnCurve, willBeReversed=willBeReversed)
segments.append(segment)
offCurves = []
previousOnCurve = point.coordinates
assert not offCurves
return segments
| convertPointsToSegments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(points, willBeReversed=False):\n previousOnCurve = None\n for point in reversed(points):\n if point.segmentType is not None:\n previousOnCurve = point.coordinates\n break\n assert previousOnCurve is not None\n offCurves = []\n segments = []\n for point in points:\n if point.segmentType is None:\n offCurves.append(point)\n else:\n segment = InputSegment(points=offCurves + [point],\n previousOnCurve=previousOnCurve, willBeReversed=willBeReversed)\n segments.append(segment)\n offCurves = []\n previousOnCurve = point.coordinates\n assert not offCurves\n return segments\n",
"role": "user"
},
{
"content": "convertPointsToSegments",
"role": "assistant"
}
] |
def x(point, cubicCurve, isHorizontal=0):
pt1, pt2, pt3, pt4 = cubicCurve
a, b, c, d = bezierTools.calcCubicParameters(pt1, pt2, pt3, pt4)
solutions = bezierTools.solveCubic(a[isHorizontal], b[isHorizontal], c[
isHorizontal], d[isHorizontal] - point[isHorizontal])
solutions = [t for t in solutions if 0 <= t < 1]
if not solutions and not isHorizontal:
return _tValueForPointOnCubicCurve(point, (pt1, pt2, pt3, pt4),
isHorizontal=1)
if len(solutions) > 1:
intersectionLenghts = {}
for t in solutions:
tp = _getCubicPoint(t, pt1, pt2, pt3, pt4)
dist = _distance(tp, point)
intersectionLenghts[dist] = t
minDist = min(intersectionLenghts.keys())
solutions = [intersectionLenghts[minDist]]
return solutions
| tValueForPointOnCubicCurve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(point, cubicCurve, isHorizontal=0):\n pt1, pt2, pt3, pt4 = cubicCurve\n a, b, c, d = bezierTools.calcCubicParameters(pt1, pt2, pt3, pt4)\n solutions = bezierTools.solveCubic(a[isHorizontal], b[isHorizontal], c[\n isHorizontal], d[isHorizontal] - point[isHorizontal])\n solutions = [t for t in solutions if 0 <= t < 1]\n if not solutions and not isHorizontal:\n return _tValueForPointOnCubicCurve(point, (pt1, pt2, pt3, pt4),\n isHorizontal=1)\n if len(solutions) > 1:\n intersectionLenghts = {}\n for t in solutions:\n tp = _getCubicPoint(t, pt1, pt2, pt3, pt4)\n dist = _distance(tp, point)\n intersectionLenghts[dist] = t\n minDist = min(intersectionLenghts.keys())\n solutions = [intersectionLenghts[minDist]]\n return solutions\n",
"role": "user"
},
{
"content": "tValueForPointOnCubicCurve",
"role": "assistant"
}
] |
def x(points, scale=1, convertToInteger=True):
if convertToInteger:
points = [(int(round(x * scale)), int(round(y * scale))) for x, y in
points]
else:
points = [(x * scale, y * scale) for x, y in points]
return points
| scalePoints | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(points, scale=1, convertToInteger=True):\n if convertToInteger:\n points = [(int(round(x * scale)), int(round(y * scale))) for x, y in\n points]\n else:\n points = [(x * scale, y * scale) for x, y in points]\n return points\n",
"role": "user"
},
{
"content": "scalePoints",
"role": "assistant"
}
] |
def x(point, scale=1, convertToInteger=True):
x, y = point
if convertToInteger:
return int(round(x * scale)), int(round(y * scale))
else:
return x * scale, y * scale
| scaleSinglePoint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(point, scale=1, convertToInteger=True):\n x, y = point\n if convertToInteger:\n return int(round(x * scale)), int(round(y * scale))\n else:\n return x * scale, y * scale\n",
"role": "user"
},
{
"content": "scaleSinglePoint",
"role": "assistant"
}
] |
def x(segment, approximateSegmentLength=_approximateSegmentLength):
onCurve1, offCurve1, offCurve2, onCurve2 = segment
if _pointOnLine(onCurve1, onCurve2, offCurve1) and _pointOnLine(onCurve1,
onCurve2, offCurve2):
return [onCurve2]
est = _estimateCubicCurveLength(onCurve1, offCurve1, offCurve2, onCurve2
) / approximateSegmentLength
flat = []
minStep = 0.1564
step = 1.0 / est
if step > 0.3:
step = minStep
t = step
while t < 1:
pt = _getCubicPoint(t, onCurve1, offCurve1, offCurve2, onCurve2)
if not _pointOnLine(offCurve2, onCurve2, pt) and not _pointOnLine(
onCurve1, offCurve1, pt):
flat.append(pt)
t += step
flat.append(onCurve2)
return flat
| flattenSegment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(segment, approximateSegmentLength=_approximateSegmentLength):\n onCurve1, offCurve1, offCurve2, onCurve2 = segment\n if _pointOnLine(onCurve1, onCurve2, offCurve1) and _pointOnLine(onCurve1,\n onCurve2, offCurve2):\n return [onCurve2]\n est = _estimateCubicCurveLength(onCurve1, offCurve1, offCurve2, onCurve2\n ) / approximateSegmentLength\n flat = []\n minStep = 0.1564\n step = 1.0 / est\n if step > 0.3:\n step = minStep\n t = step\n while t < 1:\n pt = _getCubicPoint(t, onCurve1, offCurve1, offCurve2, onCurve2)\n if not _pointOnLine(offCurve2, onCurve2, pt) and not _pointOnLine(\n onCurve1, offCurve1, pt):\n flat.append(pt)\n t += step\n flat.append(onCurve2)\n return flat\n",
"role": "user"
},
{
"content": "flattenSegment",
"role": "assistant"
}
] |
def x(pt0, pt1, pt2, pt3, precision=10):
points = []
length = 0
step = 1.0 / precision
factors = range(0, precision + 1)
for i in factors:
points.append(_getCubicPoint(i * step, pt0, pt1, pt2, pt3))
for i in range(len(points) - 1):
pta = points[i]
ptb = points[i + 1]
length += _distance(pta, ptb)
return length
| estimateCubicCurveLength | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pt0, pt1, pt2, pt3, precision=10):\n points = []\n length = 0\n step = 1.0 / precision\n factors = range(0, precision + 1)\n for i in factors:\n points.append(_getCubicPoint(i * step, pt0, pt1, pt2, pt3))\n for i in range(len(points) - 1):\n pta = points[i]\n ptb = points[i + 1]\n length += _distance(pta, ptb)\n return length\n",
"role": "user"
},
{
"content": "estimateCubicCurveLength",
"role": "assistant"
}
] |
def x(pt1, pt2):
(x0, y0), (x1, y1) = pt1, pt2
return 0.5 * (x0 + x1), 0.5 * (y0 + y1)
| mid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pt1, pt2):\n (x0, y0), (x1, y1) = pt1, pt2\n return 0.5 * (x0 + x1), 0.5 * (y0 + y1)\n",
"role": "user"
},
{
"content": "mid",
"role": "assistant"
}
] |
def x(self, tValues):
if self.segmentType == 'curve':
on1 = self.previousOnCurve
off1 = self.points[0].coordinates
off2 = self.points[1].coordinates
on2 = self.points[2].coordinates
return bezierTools.splitCubicAtT(on1, off1, off2, on2, *tValues)
elif self.segmentType == 'line':
segments = []
x1, y1 = self.previousOnCurve
x2, y2 = self.points[0].coordinates
dx = x2 - x1
dy = y2 - y1
pp = x1, y1
for t in tValues:
np = x1 + dx * t, y1 + dy * t
segments.append([pp, np])
pp = np
segments.append([pp, (x2, y2)])
return segments
elif self.segmentType == 'qcurve':
raise NotImplementedError
else:
raise NotImplementedError
| split | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tValues):\n if self.segmentType == 'curve':\n on1 = self.previousOnCurve\n off1 = self.points[0].coordinates\n off2 = self.points[1].coordinates\n on2 = self.points[2].coordinates\n return bezierTools.splitCubicAtT(on1, off1, off2, on2, *tValues)\n elif self.segmentType == 'line':\n segments = []\n x1, y1 = self.previousOnCurve\n x2, y2 = self.points[0].coordinates\n dx = x2 - x1\n dy = y2 - y1\n pp = x1, y1\n for t in tValues:\n np = x1 + dx * t, y1 + dy * t\n segments.append([pp, np])\n pp = np\n segments.append([pp, (x2, y2)])\n return segments\n elif self.segmentType == 'qcurve':\n raise NotImplementedError\n else:\n raise NotImplementedError\n",
"role": "user"
},
{
"content": "split",
"role": "assistant"
}
] |
def x(self, point):
if self.segmentType == 'curve':
on1 = self.previousOnCurve
off1 = self.points[0].coordinates
off2 = self.points[1].coordinates
on2 = self.points[2].coordinates
return _tValueForPointOnCubicCurve(point, (on1, off1, off2, on2))
elif self.segmentType == 'line':
return _tValueForPointOnLine(point, (self.previousOnCurve, self.
points[0].coordinates))
elif self.segmentType == 'qcurve':
raise NotImplementedError
else:
raise NotImplementedError
| tValueForPoint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, point):\n if self.segmentType == 'curve':\n on1 = self.previousOnCurve\n off1 = self.points[0].coordinates\n off2 = self.points[1].coordinates\n on2 = self.points[2].coordinates\n return _tValueForPointOnCubicCurve(point, (on1, off1, off2, on2))\n elif self.segmentType == 'line':\n return _tValueForPointOnLine(point, (self.previousOnCurve, self.\n points[0].coordinates))\n elif self.segmentType == 'qcurve':\n raise NotImplementedError\n else:\n raise NotImplementedError\n",
"role": "user"
},
{
"content": "tValueForPoint",
"role": "assistant"
}
] |
def x(self):
haveOnCurve = False
for point in self._points:
if point.segmentType is not None:
haveOnCurve = True
break
if haveOnCurve:
_prepPointsForSegments(self._points)
firstPoint = self._points[0]
lastPoint = self._points[-1]
if (firstPoint.segmentType is not None and lastPoint.segmentType is not
None):
if firstPoint.coordinates == lastPoint.coordinates:
if firstPoint.segmentType in ['line', 'move']:
del self._points[0]
else:
raise AssertionError('Unhandled point type sequence')
return self._points
| getData | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n haveOnCurve = False\n for point in self._points:\n if point.segmentType is not None:\n haveOnCurve = True\n break\n if haveOnCurve:\n _prepPointsForSegments(self._points)\n firstPoint = self._points[0]\n lastPoint = self._points[-1]\n if (firstPoint.segmentType is not None and lastPoint.segmentType is not\n None):\n if firstPoint.coordinates == lastPoint.coordinates:\n if firstPoint.segmentType in ['line', 'move']:\n del self._points[0]\n else:\n raise AssertionError('Unhandled point type sequence')\n return self._points\n",
"role": "user"
},
{
"content": "getData",
"role": "assistant"
}
] |
def x(self, inputContour):
if self.clockwise:
inputFlat = inputContour.clockwiseFlat
else:
inputFlat = inputContour.counterClockwiseFlat
outputFlat = []
for segment in self.segments:
assert segment.segmentType == 'flat'
outputFlat += segment.points
haveMatch = False
if len(inputFlat) == len(outputFlat):
if inputFlat == outputFlat:
haveMatch = True
else:
inputStart = inputFlat[0]
if inputStart in outputFlat:
if outputFlat.count(inputStart) > 1:
startIndexes = [index for index, point in enumerate(
outputFlat) if point == inputStart]
else:
startIndexes = [outputFlat.index(inputStart)]
for startIndex in startIndexes:
test = outputFlat[startIndex:] + outputFlat[:startIndex]
if inputFlat == test:
haveMatch = True
break
if haveMatch:
self.segments = []
if self.clockwise:
inputSegments = inputContour.clockwiseSegments
else:
inputSegments = inputContour.counterClockwiseSegments
for inputSegment in inputSegments:
self.segments.append(OutputSegment(segmentType=inputSegment.
segmentType, points=[OutputPoint(coordinates=point.
coordinates, segmentType=point.segmentType, smooth=point.
smooth, name=point.name, kwargs=point.kwargs) for point in
inputSegment.points], final=True))
inputSegment.used = True
self.clockwise = inputContour.clockwise
return True
return False
| reCurveFromEntireInputContour | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, inputContour):\n if self.clockwise:\n inputFlat = inputContour.clockwiseFlat\n else:\n inputFlat = inputContour.counterClockwiseFlat\n outputFlat = []\n for segment in self.segments:\n assert segment.segmentType == 'flat'\n outputFlat += segment.points\n haveMatch = False\n if len(inputFlat) == len(outputFlat):\n if inputFlat == outputFlat:\n haveMatch = True\n else:\n inputStart = inputFlat[0]\n if inputStart in outputFlat:\n if outputFlat.count(inputStart) > 1:\n startIndexes = [index for index, point in enumerate(\n outputFlat) if point == inputStart]\n else:\n startIndexes = [outputFlat.index(inputStart)]\n for startIndex in startIndexes:\n test = outputFlat[startIndex:] + outputFlat[:startIndex]\n if inputFlat == test:\n haveMatch = True\n break\n if haveMatch:\n self.segments = []\n if self.clockwise:\n inputSegments = inputContour.clockwiseSegments\n else:\n inputSegments = inputContour.counterClockwiseSegments\n for inputSegment in inputSegments:\n self.segments.append(OutputSegment(segmentType=inputSegment.\n segmentType, points=[OutputPoint(coordinates=point.\n coordinates, segmentType=point.segmentType, smooth=point.\n smooth, name=point.name, kwargs=point.kwargs) for point in\n inputSegment.points], final=True))\n inputSegment.used = True\n self.clockwise = inputContour.clockwise\n return True\n return False\n",
"role": "user"
},
{
"content": "reCurveFromEntireInputContour",
"role": "assistant"
}
] |
def x(funcdef):
decors = getattr(funcdef, 'decorators', None)
if decors:
for dec in decors.get_children():
try:
if dec.name == 'queryset_manager':
return True
except AttributeError:
continue
return False
| is_custom_qs_manager | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(funcdef):\n decors = getattr(funcdef, 'decorators', None)\n if decors:\n for dec in decors.get_children():\n try:\n if dec.name == 'queryset_manager':\n return True\n except AttributeError:\n continue\n return False\n",
"role": "user"
},
{
"content": "is_custom_qs_manager",
"role": "assistant"
}
] |
def x(node):
called = safe_infer(node.func)
funcdef = getattr(called, '_proxied', None)
return _is_custom_qs_manager(funcdef)
| is_call2custom_manager | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node):\n called = safe_infer(node.func)\n funcdef = getattr(called, '_proxied', None)\n return _is_custom_qs_manager(funcdef)\n",
"role": "user"
},
{
"content": "is_call2custom_manager",
"role": "assistant"
}
] |
def x(node):
attrname = node.attrname
if not name_is_from_qs(attrname):
return False
for attr in node.get_children():
inferred = safe_infer(attr)
funcdef = getattr(inferred, '_proxied', None)
if _is_custom_qs_manager(funcdef):
return True
return False
| is_custom_manager_attribute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node):\n attrname = node.attrname\n if not name_is_from_qs(attrname):\n return False\n for attr in node.get_children():\n inferred = safe_infer(attr)\n funcdef = getattr(inferred, '_proxied', None)\n if _is_custom_qs_manager(funcdef):\n return True\n return False\n",
"role": "user"
},
{
"content": "is_custom_manager_attribute",
"role": "assistant"
}
] |
def x(cls, group_id, perm_name, db_session=None):
db_session = get_db_session(db_session)
query = db_session.query(cls.model).filter(cls.model.group_id == group_id)
query = query.filter(cls.model.perm_name == perm_name)
return query.first()
| by_group_and_perm | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, group_id, perm_name, db_session=None):\n db_session = get_db_session(db_session)\n query = db_session.query(cls.model).filter(cls.model.group_id == group_id)\n query = query.filter(cls.model.perm_name == perm_name)\n return query.first()\n",
"role": "user"
},
{
"content": "by_group_and_perm",
"role": "assistant"
}
] |
def x(pid_file):
try:
with open(pid_file) as f:
os.kill(int(f.read()), 9)
os.remove(pid_file)
except (IOError, OSError):
return False
return True
| kill | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pid_file):\n try:\n with open(pid_file) as f:\n os.kill(int(f.read()), 9)\n os.remove(pid_file)\n except (IOError, OSError):\n return False\n return True\n",
"role": "user"
},
{
"content": "kill",
"role": "assistant"
}
] |
def x(self, host, port, channel, nickname, password):
self.client = WebSocketIRCClient(host, port, channel, nickname,
password, self)
self.spawn(self.client.start)
| on_start | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, host, port, channel, nickname, password):\n self.client = WebSocketIRCClient(host, port, channel, nickname,\n password, self)\n self.spawn(self.client.start)\n",
"role": "user"
},
{
"content": "on_start",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
quit_message = '%s %s' % (settings.GNOTTY_VERSION_STRING, settings.
GNOTTY_PROJECT_URL)
self.client.connection.quit(quit_message)
super(IRCNamespace, self).disconnect(*args, **kwargs)
| disconnect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n quit_message = '%s %s' % (settings.GNOTTY_VERSION_STRING, settings.\n GNOTTY_PROJECT_URL)\n self.client.connection.quit(quit_message)\n super(IRCNamespace, self).disconnect(*args, **kwargs)\n",
"role": "user"
},
{
"content": "disconnect",
"role": "assistant"
}
] |
def x(self):
default_interval = 5
interval = default_interval
while True:
if not self.bot.connection.connected:
if self.bot.reconnect():
interval = default_interval
else:
interval *= 2
sleep(interval)
| bot_watcher | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n default_interval = 5\n interval = default_interval\n while True:\n if not self.bot.connection.connected:\n if self.bot.reconnect():\n interval = default_interval\n else:\n interval *= 2\n sleep(interval)\n",
"role": "user"
},
{
"content": "bot_watcher",
"role": "assistant"
}
] |
def x(self, environ):
request = FieldStorage(fp=environ['wsgi.input'], environ=environ)
url = environ['PATH_INFO']
params = dict([(k, request[k].value) for k in request])
try:
if self.bot is None:
raise NotImplementedError
response = self.bot.handle_webhook_event(environ, url, params)
except NotImplementedError:
return 404
except:
self.logger.debug(format_exc())
return 500
return response or 200
| respond_webhook | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, environ):\n request = FieldStorage(fp=environ['wsgi.input'], environ=environ)\n url = environ['PATH_INFO']\n params = dict([(k, request[k].value) for k in request])\n try:\n if self.bot is None:\n raise NotImplementedError\n response = self.bot.handle_webhook_event(environ, url, params)\n except NotImplementedError:\n return 404\n except:\n self.logger.debug(format_exc())\n return 500\n return response or 200\n",
"role": "user"
},
{
"content": "respond_webhook",
"role": "assistant"
}
] |
def x(self, environ):
path = os.path.normpath(environ['PATH_INFO'])
if path == '/':
content = self.index()
content_type = 'text/html'
else:
path = os.path.join(os.path.dirname(__file__), path.lstrip('/'))
try:
with open(path, 'r') as f:
content = f.read()
except IOError:
return 404
content_type = guess_type(path)[0]
return 200, [('Content-Type', content_type)], content
| respond_static | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, environ):\n path = os.path.normpath(environ['PATH_INFO'])\n if path == '/':\n content = self.index()\n content_type = 'text/html'\n else:\n path = os.path.join(os.path.dirname(__file__), path.lstrip('/'))\n try:\n with open(path, 'r') as f:\n content = f.read()\n except IOError:\n return 404\n content_type = guess_type(path)[0]\n return 200, [('Content-Type', content_type)], content\n",
"role": "user"
},
{
"content": "respond_static",
"role": "assistant"
}
] |
def x(self):
root_dir = os.path.dirname(__file__)
template_dir = os.path.join(root_dir, 'templates', 'gnotty')
with open(os.path.join(template_dir, 'base.html'), 'r') as f:
base = f.read()
with open(os.path.join(template_dir, 'chat.html'), 'r') as f:
base = base.replace('{% block content %}', f.read())
replace = {'{% block content %}': '', '{% block extrahead %}': '',
'{% endblock %}': '', '{% load gnotty_tags %}': '',
'{% extends "gnotty/base.html" %}': '', '{% url gnotty_chat %}':
'/', '{% gnotty_nav %}': '', '{% templatetag openvariable %}': '{{',
'{% templatetag closevariable %}': '}}'}
for k, v in replace.items():
base = base.replace(k, v)
for k, v in settings.items():
base = base.replace('{{ %s }}' % k, unicode(v or ''))
return base
| index | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n root_dir = os.path.dirname(__file__)\n template_dir = os.path.join(root_dir, 'templates', 'gnotty')\n with open(os.path.join(template_dir, 'base.html'), 'r') as f:\n base = f.read()\n with open(os.path.join(template_dir, 'chat.html'), 'r') as f:\n base = base.replace('{% block content %}', f.read())\n replace = {'{% block content %}': '', '{% block extrahead %}': '',\n '{% endblock %}': '', '{% load gnotty_tags %}': '',\n '{% extends \"gnotty/base.html\" %}': '', '{% url gnotty_chat %}':\n '/', '{% gnotty_nav %}': '', '{% templatetag openvariable %}': '{{',\n '{% templatetag closevariable %}': '}}'}\n for k, v in replace.items():\n base = base.replace(k, v)\n for k, v in settings.items():\n base = base.replace('{{ %s }}' % k, unicode(v or ''))\n return base\n",
"role": "user"
},
{
"content": "index",
"role": "assistant"
}
] |
def x(self, environ):
if self.django and settings.LOGIN_REQUIRED:
try:
from django.conf import settings as django_settings
from django.contrib.auth import SESSION_KEY
from django.contrib.auth.models import User
from django.contrib.sessions.models import Session
from django.core.exceptions import ObjectDoesNotExist
cookie = SimpleCookie(environ['HTTP_COOKIE'])
cookie_name = django_settings.SESSION_COOKIE_NAME
session_key = cookie[cookie_name].value
session = Session.objects.get(session_key=session_key)
user_id = session.get_decoded().get(SESSION_KEY)
user = User.objects.get(id=user_id)
except (ImportError, KeyError, ObjectDoesNotExist):
return False
return True
| authorized | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, environ):\n if self.django and settings.LOGIN_REQUIRED:\n try:\n from django.conf import settings as django_settings\n from django.contrib.auth import SESSION_KEY\n from django.contrib.auth.models import User\n from django.contrib.sessions.models import Session\n from django.core.exceptions import ObjectDoesNotExist\n cookie = SimpleCookie(environ['HTTP_COOKIE'])\n cookie_name = django_settings.SESSION_COOKIE_NAME\n session_key = cookie[cookie_name].value\n session = Session.objects.get(session_key=session_key)\n user_id = session.get_decoded().get(SESSION_KEY)\n user = User.objects.get(id=user_id)\n except (ImportError, KeyError, ObjectDoesNotExist):\n return False\n return True\n",
"role": "user"
},
{
"content": "authorized",
"role": "assistant"
}
] |
def x(self, orm):
if not db.dry_run:
orm['gnotty.IRCMessage'].objects.filter(message='joins').update(
join_or_leave=True)
orm['gnotty.IRCMessage'].objects.filter(message='leaves').update(
join_or_leave=True)
| forwards | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, orm):\n if not db.dry_run:\n orm['gnotty.IRCMessage'].objects.filter(message='joins').update(\n join_or_leave=True)\n orm['gnotty.IRCMessage'].objects.filter(message='leaves').update(\n join_or_leave=True)\n",
"role": "user"
},
{
"content": "forwards",
"role": "assistant"
}
] |
def x(models_proxy, perm_names, resource_ids=None, user_ids=None, group_ids
=None, resource_types=None, limit_group_permissions=False,
skip_user_perms=False, skip_group_perms=False, db_session=None):
db_session = get_db_session(db_session)
query = db_session.query(models_proxy.GroupResourcePermission.perm_name,
models_proxy.User, models_proxy.Group, sa.literal('group').label(
'type'), models_proxy.Resource)
query = query.join(models_proxy.Group, models_proxy.Group.id ==
models_proxy.GroupResourcePermission.group_id)
query = query.join(models_proxy.Resource, models_proxy.Resource.
resource_id == models_proxy.GroupResourcePermission.resource_id)
if limit_group_permissions:
query = query.outerjoin(models_proxy.User, models_proxy.User.id == None
)
else:
query = query.join(models_proxy.UserGroup, models_proxy.UserGroup.
group_id == models_proxy.GroupResourcePermission.group_id)
query = query.outerjoin(models_proxy.User, models_proxy.User.id ==
models_proxy.UserGroup.user_id)
if resource_ids:
query = query.filter(models_proxy.GroupResourcePermission.
resource_id.in_(resource_ids))
if resource_types:
query = query.filter(models_proxy.Resource.resource_type.in_(
resource_types))
if perm_names not in ([ANY_PERMISSION], ANY_PERMISSION) and perm_names:
query = query.filter(models_proxy.GroupResourcePermission.perm_name
.in_(perm_names))
if group_ids:
query = query.filter(models_proxy.GroupResourcePermission.group_id.
in_(group_ids))
if user_ids and not limit_group_permissions:
query = query.filter(models_proxy.UserGroup.user_id.in_(user_ids))
query2 = db_session.query(models_proxy.UserResourcePermission.perm_name,
models_proxy.User, models_proxy.Group, sa.literal('user').label(
'type'), models_proxy.Resource)
query2 = query2.join(models_proxy.User, models_proxy.User.id ==
models_proxy.UserResourcePermission.user_id)
query2 = query2.join(models_proxy.Resource, models_proxy.Resource.
resource_id == models_proxy.UserResourcePermission.resource_id)
query2 = query2.outerjoin(models_proxy.Group, models_proxy.Group.id == None
)
if perm_names not in ([ANY_PERMISSION], ANY_PERMISSION) and perm_names:
query2 = query2.filter(models_proxy.UserResourcePermission.
perm_name.in_(perm_names))
if resource_ids:
query2 = query2.filter(models_proxy.UserResourcePermission.
resource_id.in_(resource_ids))
if resource_types:
query2 = query2.filter(models_proxy.Resource.resource_type.in_(
resource_types))
if user_ids:
query2 = query2.filter(models_proxy.UserResourcePermission.user_id.
in_(user_ids))
if not skip_group_perms and not skip_user_perms:
query = query.union(query2)
elif skip_group_perms:
query = query2
users = [PermissionTuple(row.User, row.perm_name, row.type, row.Group or
None, row.Resource, False, True) for row in query]
return users
| resource_permissions_for_users | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(models_proxy, perm_names, resource_ids=None, user_ids=None, group_ids\n =None, resource_types=None, limit_group_permissions=False,\n skip_user_perms=False, skip_group_perms=False, db_session=None):\n db_session = get_db_session(db_session)\n query = db_session.query(models_proxy.GroupResourcePermission.perm_name,\n models_proxy.User, models_proxy.Group, sa.literal('group').label(\n 'type'), models_proxy.Resource)\n query = query.join(models_proxy.Group, models_proxy.Group.id ==\n models_proxy.GroupResourcePermission.group_id)\n query = query.join(models_proxy.Resource, models_proxy.Resource.\n resource_id == models_proxy.GroupResourcePermission.resource_id)\n if limit_group_permissions:\n query = query.outerjoin(models_proxy.User, models_proxy.User.id == None\n )\n else:\n query = query.join(models_proxy.UserGroup, models_proxy.UserGroup.\n group_id == models_proxy.GroupResourcePermission.group_id)\n query = query.outerjoin(models_proxy.User, models_proxy.User.id ==\n models_proxy.UserGroup.user_id)\n if resource_ids:\n query = query.filter(models_proxy.GroupResourcePermission.\n resource_id.in_(resource_ids))\n if resource_types:\n query = query.filter(models_proxy.Resource.resource_type.in_(\n resource_types))\n if perm_names not in ([ANY_PERMISSION], ANY_PERMISSION) and perm_names:\n query = query.filter(models_proxy.GroupResourcePermission.perm_name\n .in_(perm_names))\n if group_ids:\n query = query.filter(models_proxy.GroupResourcePermission.group_id.\n in_(group_ids))\n if user_ids and not limit_group_permissions:\n query = query.filter(models_proxy.UserGroup.user_id.in_(user_ids))\n query2 = db_session.query(models_proxy.UserResourcePermission.perm_name,\n models_proxy.User, models_proxy.Group, sa.literal('user').label(\n 'type'), models_proxy.Resource)\n query2 = query2.join(models_proxy.User, models_proxy.User.id ==\n models_proxy.UserResourcePermission.user_id)\n query2 = query2.join(models_proxy.Resource, models_proxy.Resource.\n resource_id == models_proxy.UserResourcePermission.resource_id)\n query2 = query2.outerjoin(models_proxy.Group, models_proxy.Group.id == None\n )\n if perm_names not in ([ANY_PERMISSION], ANY_PERMISSION) and perm_names:\n query2 = query2.filter(models_proxy.UserResourcePermission.\n perm_name.in_(perm_names))\n if resource_ids:\n query2 = query2.filter(models_proxy.UserResourcePermission.\n resource_id.in_(resource_ids))\n if resource_types:\n query2 = query2.filter(models_proxy.Resource.resource_type.in_(\n resource_types))\n if user_ids:\n query2 = query2.filter(models_proxy.UserResourcePermission.user_id.\n in_(user_ids))\n if not skip_group_perms and not skip_user_perms:\n query = query.union(query2)\n elif skip_group_perms:\n query = query2\n users = [PermissionTuple(row.User, row.perm_name, row.type, row.Group or\n None, row.Resource, False, True) for row in query]\n return users\n",
"role": "user"
},
{
"content": "resource_permissions_for_users",
"role": "assistant"
}
] |
def x(permissions):
acls = []
for perm in permissions:
if perm.type == 'user':
acls.append((perm.user.id, perm.perm_name))
elif perm.type == 'group':
acls.append(('group:%s' % perm.group.id, perm.perm_name))
return acls
| permission_to_04_acls | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(permissions):\n acls = []\n for perm in permissions:\n if perm.type == 'user':\n acls.append((perm.user.id, perm.perm_name))\n elif perm.type == 'group':\n acls.append(('group:%s' % perm.group.id, perm.perm_name))\n return acls\n",
"role": "user"
},
{
"content": "permission_to_04_acls",
"role": "assistant"
}
] |
def x(permissions):
acls = []
for perm in permissions:
if perm.type == 'user':
acls.append((Allow, perm.user.id, perm.perm_name))
elif perm.type == 'group':
acls.append((Allow, 'group:%s' % perm.group.id, perm.perm_name))
return acls
| permission_to_pyramid_acls | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(permissions):\n acls = []\n for perm in permissions:\n if perm.type == 'user':\n acls.append((Allow, perm.user.id, perm.perm_name))\n elif perm.type == 'group':\n acls.append((Allow, 'group:%s' % perm.group.id, perm.perm_name))\n return acls\n",
"role": "user"
},
{
"content": "permission_to_pyramid_acls",
"role": "assistant"
}
] |
def x(self, f=None):
if f is None:
return _chunk(self)
if is_to_destruct(f):
f = destruct_func(f)
return _chunk(self, f)
| ChunkBy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, f=None):\n if f is None:\n return _chunk(self)\n if is_to_destruct(f):\n f = destruct_func(f)\n return _chunk(self, f)\n",
"role": "user"
},
{
"content": "ChunkBy",
"role": "assistant"
}
] |
def x(self: Iterable, f=None):
if f and is_to_destruct(f):
f = destruct_func(f)
return _group_by(self, f)
| GroupBy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self: Iterable, f=None):\n if f and is_to_destruct(f):\n f = destruct_func(f)\n return _group_by(self, f)\n",
"role": "user"
},
{
"content": "GroupBy",
"role": "assistant"
}
] |
def x(self: Iterable, n):
for i, e in enumerate(self):
if i == n:
break
yield e
| Take | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self: Iterable, n):\n for i, e in enumerate(self):\n if i == n:\n break\n yield e\n",
"role": "user"
},
{
"content": "Take",
"role": "assistant"
}
] |
def x(self: Iterable, f):
if is_to_destruct(f):
f = destruct_func(f)
return (e for e in self if f(e))
| TakeIf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self: Iterable, f):\n if is_to_destruct(f):\n f = destruct_func(f)\n return (e for e in self if f(e))\n",
"role": "user"
},
{
"content": "TakeIf",
"role": "assistant"
}
] |
def x(self: Iterable, f):
if is_to_destruct(f):
f = destruct_func(f)
for e in self:
if not f(e):
break
yield e
| TakeWhile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self: Iterable, f):\n if is_to_destruct(f):\n f = destruct_func(f)\n for e in self:\n if not f(e):\n break\n yield e\n",
"role": "user"
},
{
"content": "TakeWhile",
"role": "assistant"
}
] |
def x(self: Iterable, n):
con = tuple(self)
n = len(con) - n
if n <= 0:
yield from con
else:
for i, e in enumerate(con):
if i == n:
break
yield e
| Drop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self: Iterable, n):\n con = tuple(self)\n n = len(con) - n\n if n <= 0:\n yield from con\n else:\n for i, e in enumerate(con):\n if i == n:\n break\n yield e\n",
"role": "user"
},
{
"content": "Drop",
"role": "assistant"
}
] |
def x(self: Iterable, n):
con = iter(self)
for i, _ in enumerate(con):
if i == n:
break
return con
| Skip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self: Iterable, n):\n con = iter(self)\n for i, _ in enumerate(con):\n if i == n:\n break\n return con\n",
"role": "user"
},
{
"content": "Skip",
"role": "assistant"
}
] |
def x(self, n):
headn = tuple(Take(self, n))
yield from self
yield from headn
| Shift | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n):\n headn = tuple(Take(self, n))\n yield from self\n yield from headn\n",
"role": "user"
},
{
"content": "Shift",
"role": "assistant"
}
] |
def x(self: Iterable, *others):
return concat_generator(self, *[unbox_if_flow(other) for other in others])
| Concat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self: Iterable, *others):\n return concat_generator(self, *[unbox_if_flow(other) for other in others])\n",
"role": "user"
},
{
"content": "Concat",
"role": "assistant"
}
] |
def x(self, node):
last_child = node.last_child()
if not last_child:
return False
attrname = getattr(last_child, 'attrname', None)
if attrname != 'objects':
return False
base_cls = last_child.last_child()
base_classes = DOCUMENT_BASES
for cls in base_cls.inferred():
if node_is_subclass(cls, *base_classes):
return True
return False
| called_thru_default_qs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n last_child = node.last_child()\n if not last_child:\n return False\n attrname = getattr(last_child, 'attrname', None)\n if attrname != 'objects':\n return False\n base_cls = last_child.last_child()\n base_classes = DOCUMENT_BASES\n for cls in base_cls.inferred():\n if node_is_subclass(cls, *base_classes):\n return True\n return False\n",
"role": "user"
},
{
"content": "called_thru_default_qs",
"role": "assistant"
}
] |
def x(cls, klass, db_session=None):
db_session = get_db_session(db_session)
return db_session.query(klass)
| all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, klass, db_session=None):\n db_session = get_db_session(db_session)\n return db_session.query(klass)\n",
"role": "user"
},
{
"content": "all",
"role": "assistant"
}
] |
def x(cls, db_session=None):
db_session = get_db_session(db_session)
return db_session.query(cls.model)
| base_query | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, db_session=None):\n db_session = get_db_session(db_session)\n return db_session.query(cls.model)\n",
"role": "user"
},
{
"content": "base_query",
"role": "assistant"
}
] |
def x(event, *args, **kwargs):
def x(func):
for i, arg in args:
kwargs[i] = arg
func.event = Event(event, kwargs)
return func
return wrapper
| on | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(event, *args, **kwargs):\n\n def x(func):\n for i, arg in args:\n kwargs[i] = arg\n func.event = Event(event, kwargs)\n return func\n return wrapper\n",
"role": "user"
},
{
"content": "on",
"role": "assistant"
}
] |
def x(session=None, obj=None):
from ziggurat_foundations import models
if obj:
return sa.orm.session.object_session(obj)
elif session:
return session
elif models.DBSession:
return models.DBSession
raise ZigguratSessionException('No Session found')
| get_db_session | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(session=None, obj=None):\n from ziggurat_foundations import models\n if obj:\n return sa.orm.session.object_session(obj)\n elif session:\n return session\n elif models.DBSession:\n return models.DBSession\n raise ZigguratSessionException('No Session found')\n",
"role": "user"
},
{
"content": "get_db_session",
"role": "assistant"
}
] |
def x(self, exclude_keys=None, include_keys=None):
d = {}
exclude_keys_list = exclude_keys or []
include_keys_list = include_keys or []
for k in self._get_keys():
if k not in exclude_keys_list and (k in include_keys_list or not
include_keys):
d[k] = getattr(self, k)
return d
| get_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, exclude_keys=None, include_keys=None):\n d = {}\n exclude_keys_list = exclude_keys or []\n include_keys_list = include_keys or []\n for k in self._get_keys():\n if k not in exclude_keys_list and (k in include_keys_list or not\n include_keys):\n d[k] = getattr(self, k)\n return d\n",
"role": "user"
},
{
"content": "get_dict",
"role": "assistant"
}
] |
def x(self):
result = []
for k in self._get_keys():
result.append((k, getattr(self, k)))
return result
| get_appstruct | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = []\n for k in self._get_keys():\n result.append((k, getattr(self, k)))\n return result\n",
"role": "user"
},
{
"content": "get_appstruct",
"role": "assistant"
}
] |
def x(self, appstruct, exclude_keys=None, include_keys=None):
exclude_keys_list = exclude_keys or []
include_keys_list = include_keys or []
for k in self._get_keys():
if k in appstruct and k not in exclude_keys_list and (k in
include_keys_list or not include_keys):
setattr(self, k, appstruct[k])
| populate_obj | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, appstruct, exclude_keys=None, include_keys=None):\n exclude_keys_list = exclude_keys or []\n include_keys_list = include_keys or []\n for k in self._get_keys():\n if k in appstruct and k not in exclude_keys_list and (k in\n include_keys_list or not include_keys):\n setattr(self, k, appstruct[k])\n",
"role": "user"
},
{
"content": "populate_obj",
"role": "assistant"
}
] |
def x(self, instance, exclude_keys=None, include_keys=None):
exclude_keys_list = exclude_keys or []
include_keys_list = include_keys or []
for k in self._get_keys():
if hasattr(instance, k) and k not in exclude_keys_list and (k in
include_keys_list or not include_keys):
setattr(self, k, getattr(instance, k))
| populate_obj_from_obj | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, exclude_keys=None, include_keys=None):\n exclude_keys_list = exclude_keys or []\n include_keys_list = include_keys or []\n for k in self._get_keys():\n if hasattr(instance, k) and k not in exclude_keys_list and (k in\n include_keys_list or not include_keys):\n setattr(self, k, getattr(instance, k))\n",
"role": "user"
},
{
"content": "populate_obj_from_obj",
"role": "assistant"
}
] |
def x(self, db_session=None):
db_session = get_db_session(db_session, self)
db_session.delete(self)
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, db_session=None):\n db_session = get_db_session(db_session, self)\n db_session.delete(self)\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self):
GPIO.output(self._pd_sck, False)
GPIO.output(self._pd_sck, True)
time.sleep(0.01)
return True
| power_down | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n GPIO.output(self._pd_sck, False)\n GPIO.output(self._pd_sck, True)\n time.sleep(0.01)\n return True\n",
"role": "user"
},
{
"content": "power_down",
"role": "assistant"
}
] |
def x(self):
GPIO.output(self._pd_sck, False)
time.sleep(0.01)
return True
| power_up | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n GPIO.output(self._pd_sck, False)\n time.sleep(0.01)\n return True\n",
"role": "user"
},
{
"content": "power_up",
"role": "assistant"
}
] |
def x(self):
logging.debug('power down')
self.power_down()
logging.debug('power up')
self.power_up()
logging.debug('read some raw data')
result = self.get_raw_data(6)
if result is False:
raise GenericHX711Exception('failed to reset HX711')
else:
return True
| reset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n logging.debug('power down')\n self.power_down()\n logging.debug('power up')\n self.power_up()\n logging.debug('read some raw data')\n result = self.get_raw_data(6)\n if result is False:\n raise GenericHX711Exception('failed to reset HX711')\n else:\n return True\n",
"role": "user"
},
{
"content": "reset",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.