source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(github, logins):
printmp('Fetching contacts')
users = [github.user(login).as_dict() for login in logins]
mails = set()
blogs = set()
for user in users:
contact = user.get('name', 'login')
if user['email']:
contact += ' <%s>' % user['email']
mails.add(contact)
elif user['blog']:
contact += ' <%s>' % user['blog']
blogs.add(contact)
else:
continue
return mails, blogs
| contacts | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(github, logins):\n printmp('Fetching contacts')\n users = [github.user(login).as_dict() for login in logins]\n mails = set()\n blogs = set()\n f... |
def x(issues):
contacts = set()
for idx, issue in enumerate(issues):
printmp('Fetching issue #%s' % idx)
for comment in issue.comments():
comm = comment.as_dict()
emails = list(email[0] for email in re.findall(MAIL_REGEX, comm
['body']) if not email[0].startswith('//') and not email[0]
.endswith('github.com') and '@' in email[0])
contacts |= set(emails)
return contacts
| extract_mail | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(issues):\n contacts = set()\n for idx, issue in enumerate(issues):\n printmp('Fetching issue #%s' % idx)\n for comment in issue.comments():... |
def x(roles, repo):
users = set()
if 'stargazer' in roles:
printmp('Fetching stargazers')
users |= set(repo.stargazers())
if 'collaborator' in roles:
printmp('Fetching collaborators')
users |= set(repo.collaborators())
if 'issue' in roles:
printmp('Fetching issues creators')
users |= set([i.user for i in repo.issues(state='all')])
return users
| fetch_logins | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(roles, repo):\n users = set()\n if 'stargazer' in roles:\n printmp('Fetching stargazers')\n users |= set(repo.stargazers())\n if 'collab... |
def x(repo_name, login, with_blog, as_list, role):
passw = getpass.getpass()
github = gh_login(login, passw)
repo = github.repository(login, repo_name)
role = [ROLES[k] for k in role]
users = fetch_logins(role, repo)
mails, blogs = contacts(github, users)
if 'issue' in role:
mails |= extract_mail(repo.issues(state='all'))
sep = ', ' if as_list else '\n'
print(sep.join(mails))
if with_blog:
print(sep.join(blogs))
| high_cli | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(repo_name, login, with_blog, as_list, role):\n passw = getpass.getpass()\n github = gh_login(login, passw)\n repo = github.repository(login, repo_name... |
def x(self, data):
method = self.__cb_message
if method is not None:
try:
method(data)
except Exception as ex:
_logger.exception('Error calling method: %s', ex)
| callback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n method = self.__cb_message\n if method is not None:\n try:\n method(data)\n except Exception as ex:\n ... |
def x(self, msg):
msgtype = msg['type']
msgfrom = msg['from']
if msgtype == 'groupchat':
if self._nick == msgfrom.resource:
return
elif msgtype not in ('normal', 'chat'):
return
self.__callback(msg)
| on_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n msgtype = msg['type']\n msgfrom = msg['from']\n if msgtype == 'groupchat':\n if self._nick == msgfrom.resource:\n retu... |
def x(ctx, version: str, clean: bool):
if clean:
_clean_spec()
ctx.invoke(epab.cmd.compile_qt_resources)
_freeze(version)
| freeze | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, version: str, clean: bool):\n if clean:\n _clean_spec()\n ctx.invoke(epab.cmd.compile_qt_resources)\n _freeze(version)\n",
"role": "us... |
def x(Np: int, zmin: float, gridmin: float, gridmax: float) ->np.ndarray:
dz = _ztanh(Np, gridmin, gridmax)
return np.insert(np.cumsum(dz) + zmin, 0, zmin)[:-1]
| setupz | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Np: int, zmin: float, gridmin: float, gridmax: float) ->np.ndarray:\n dz = _ztanh(Np, gridmin, gridmax)\n return np.insert(np.cumsum(dz) + zmin, 0, zmin)... |
def x(Np: int, gridmin: float, gridmax: float) ->np.ndarray:
x0 = np.linspace(0, 3.14, Np)
return np.tanh(x0) * gridmax + gridmin
| ztanh | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Np: int, gridmin: float, gridmax: float) ->np.ndarray:\n x0 = np.linspace(0, 3.14, Np)\n return np.tanh(x0) * gridmax + gridmin\n",
"role": "user"
... |
def x(self, name):
if not self.loaded:
raise RegistryNotLoaded(self)
if not self._registry.get(name):
raise NotificationNotRegistered(
f"Notification not registered. Got '{name}'.")
return self._registry.get(name)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n if not self.loaded:\n raise RegistryNotLoaded(self)\n if not self._registry.get(name):\n raise NotificationNotRegistered(\n ... |
def x(self, notification_cls=None):
self.loaded = True
display_names = [n.display_name for n in self.registry.values()]
if (notification_cls.name not in self.registry and notification_cls.
display_name not in display_names):
self.registry.update({notification_cls.name: notification_cls})
models = getattr(notification_cls, 'models', [])
if not models and getattr(notification_cls, 'model', None):
models = [getattr(notification_cls, 'model')]
for model in models:
try:
if notification_cls.name not in [n.name for n in self.
models[model]]:
self.models[model].append(notification_cls)
except KeyError:
self.models.update({model: [notification_cls]})
else:
raise AlreadyRegistered(
f'Notification {notification_cls.name}: {notification_cls.display_name} is already registered.'
)
| register | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, notification_cls=None):\n self.loaded = True\n display_names = [n.display_name for n in self.registry.values()]\n if (notification_cls.name not ... |
def x(self, instance=None, **kwargs):
notified = {}
for notification_cls in self.registry.values():
notification = notification_cls()
if notification.notify(instance=instance, **kwargs):
notified.update({notification_cls.name: instance._meta.label_lower}
)
return notified
| notify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance=None, **kwargs):\n notified = {}\n for notification_cls in self.registry.values():\n notification = notification_cls()\n if ... |
def x(self, apps=None, schema_editor=None, verbose=False):
Notification = (apps or django_apps).get_model(
'edc_notification.notification')
Notification.objects.all().update(enabled=False)
if site_notifications.loaded:
if verbose:
sys.stdout.write(style.MIGRATE_HEADING(
'Populating Notification model:\n'))
self.delete_unregistered_notifications(apps=apps)
for name, notification_cls in site_notifications.registry.items():
if verbose:
sys.stdout.write(
f" * Adding '{name}': '{notification_cls().display_name}'\n"
)
try:
obj = Notification.objects.get(name=name)
except ObjectDoesNotExist:
Notification.objects.create(name=name, display_name=
notification_cls().display_name, enabled=True)
else:
obj.display_name = notification_cls().display_name
obj.enabled = True
obj.save()
| update_notification_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, apps=None, schema_editor=None, verbose=False):\n Notification = (apps or django_apps).get_model(\n 'edc_notification.notification')\n Notifi... |
def x(self, apps=None):
Notification = (apps or django_apps).get_model(
'edc_notification.notification')
return Notification.objects.exclude(name__in=[n.name for n in
site_notifications.registry.values()]).delete()
| delete_unregistered_notifications | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, apps=None):\n Notification = (apps or django_apps).get_model(\n 'edc_notification.notification')\n return Notification.objects.exclude(name_... |
def x(self, verbose=True):
responses = {}
if (settings.EMAIL_ENABLED and self.loaded and settings.EMAIL_BACKEND !=
'django.core.mail.backends.locmem.EmailBackend'):
sys.stdout.write(style.MIGRATE_HEADING(f'Creating mailing lists:\n'))
for name, notification_cls in self.registry.items():
message = None
notification = notification_cls()
manager = MailingListManager(address=notification.email_to,
name=notification.name, display_name=notification.display_name)
try:
response = manager.create()
except ConnectionError as e:
sys.stdout.write(style.ERROR(
f' * Failed to create mailing list {name}. Got {e}\n'))
else:
if verbose:
try:
message = response.json().get('message')
except JSONDecodeError:
message = response.text
sys.stdout.write(
f""" * Creating mailing list {name}. Got {response.status_code}: "{message}\"
"""
)
responses.update({name: response})
return responses
| create_mailing_lists | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, verbose=True):\n responses = {}\n if (settings.EMAIL_ENABLED and self.loaded and settings.EMAIL_BACKEND !=\n 'django.core.mail.backends.locm... |
def x(self, module_name=None, verbose=False):
module_name = module_name or 'notifications'
verbose = True if verbose is None else verbose
sys.stdout.write(f' * checking for {module_name} ...\n')
for app in django_apps.app_configs:
try:
mod = import_module(app)
try:
before_import_registry = copy.copy(site_notifications._registry
)
import_module(f'{app}.{module_name}')
if verbose:
sys.stdout.write(
f" * registered notifications from application '{app}'\n"
)
except Exception as e:
if f"No module named '{app}.{module_name}'" not in str(e):
site_notifications._registry = before_import_registry
if module_has_submodule(mod, module_name):
raise
except ModuleNotFoundError:
pass
| autodiscover | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, module_name=None, verbose=False):\n module_name = module_name or 'notifications'\n verbose = True if verbose is None else verbose\n sys.stdout.w... |
def x(self, package):
self._data.setdefault('packages', {})
self._data['packages'][package.name] = package.source
for package in package.deploy_packages:
self.add_package(package)
self._save()
| add_package | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, package):\n self._data.setdefault('packages', {})\n self._data['packages'][package.name] = package.source\n for package in package.deploy_packag... |
def x(string, cmd=copy_cmd, stdin=PIPE):
Popen(cmd, stdin=stdin).communicate(string.encode('utf-8'))
| copy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string, cmd=copy_cmd, stdin=PIPE):\n Popen(cmd, stdin=stdin).communicate(string.encode('utf-8'))\n",
"role": "user"
},
{
"content": "copy",
... |
def x(cmd=paste_cmd, stdout=PIPE):
return Popen(cmd, stdout=stdout).communicate()[0].decode('utf-8')
| paste | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cmd=paste_cmd, stdout=PIPE):\n return Popen(cmd, stdout=stdout).communicate()[0].decode('utf-8')\n",
"role": "user"
},
{
"content": "paste",
... |
def x(path, name=None, include=None, namespace=None, priority=None):
def x(view):
module = _find_urls_module(view)
fn = view.as_view() if hasattr(view, 'as_view') else view
if namespace and include:
raise TypeError(
"You can't use 'namespace' and 'include' at the same time!")
if namespace:
base = import_string('{}.urls.urlpatterns'.format(module))
urlpatterns_list = [x for x in base if getattr(x, 'namespace',
None) == namespace]
if len(urlpatterns_list) != 1:
raise ValueError("Namespace '{}' not in list.".format(
namespace))
urlpatterns = urlpatterns_list.pop(0).url_patterns
else:
urlpatterns = import_string('{}.urls.{}'.format(module, include or
'urlpatterns'))
call = urlpatterns.append if priority is None else partial(urlpatterns
.insert, priority)
call(url(path, fn, name=name))
return view
return url_wrapper
| umap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, name=None, include=None, namespace=None, priority=None):\n\n def x(view):\n module = _find_urls_module(view)\n fn = view.as_view() if ha... |
def x():
if not os.path.isfile(get_rc_path()):
open(get_rc_path(), 'a').close()
print('Created file: {}'.format(get_rc_path()))
| touch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if not os.path.isfile(get_rc_path()):\n open(get_rc_path(), 'a').close()\n print('Created file: {}'.format(get_rc_path()))\n",
"role"... |
def x(entries):
try:
with open(get_rc_path(), 'w') as rc:
rc.writelines(entries)
except IOError:
print('Error writing your ~/.vacationrc file!')
| write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(entries):\n try:\n with open(get_rc_path(), 'w') as rc:\n rc.writelines(entries)\n except IOError:\n print('Error writing your ~... |
def x(entry):
if not entry:
return
try:
with open(get_rc_path(), 'a') as f:
if isinstance(entry, list):
f.writelines(entry)
else:
f.write(entry + '\n')
except IOError:
print('Error writing your ~/.vacationrc file!')
| append | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(entry):\n if not entry:\n return\n try:\n with open(get_rc_path(), 'a') as f:\n if isinstance(entry, list):\n f.w... |
def x(bad_entry):
entries = read()
kept_entries = [x for x in entries if x.rstrip() != bad_entry]
write(kept_entries)
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bad_entry):\n entries = read()\n kept_entries = [x for x in entries if x.rstrip() != bad_entry]\n write(kept_entries)\n",
"role": "user"
},
{
... |
def x(text, variant=VARIANT1, case_sensitive=False):
text = text.replace('ß', 'ss')
if not case_sensitive:
text = text.lower()
if variant == VARIANT2:
for char, repl in (('ä', 'ae'), ('ö', 'oe'), ('ü', 'ue'), ('Ä',
'AE'), ('Ö', 'OE'), ('Ü', 'UE')):
text = text.replace(char, repl)
text = unicodedata.normalize('NFKD', text).encode('ASCII', 'ignore')
return text.decode()
| normalize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, variant=VARIANT1, case_sensitive=False):\n text = text.replace('ß', 'ss')\n if not case_sensitive:\n text = text.lower()\n if variant == ... |
def x(variant=VARIANT1, case_sensitive=False):
return lambda x: normalize(x, variant=variant, case_sensitive=
case_sensitive)
| sort_func | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(variant=VARIANT1, case_sensitive=False):\n return lambda x: normalize(x, variant=variant, case_sensitive=\n case_sensitive)\n",
"role": "user"
... |
def x(date=datetime.today(), url_pattern=URL_PATTERN):
api_url = url_pattern % date.strftime('%Y-%m-%d')
headers = {'Referer': 'http://n.pl/program-tv'}
raw_result = requests.get(api_url, headers=headers).json()
return raw_result
| fetcher | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date=datetime.today(), url_pattern=URL_PATTERN):\n api_url = url_pattern % date.strftime('%Y-%m-%d')\n headers = {'Referer': 'http://n.pl/program-tv'}\n ... |
def x(raw_result):
result = {}
for channel_index, channel in enumerate(raw_result):
channel_id, channel_name = channel[0], channel[1]
channel_result = {'id': channel_id, 'name': channel_name, 'movies': []}
for movie in channel[2]:
channel_result['movies'].append({'title': movie[1],
'start_time': datetime.fromtimestamp(movie[2]), 'end_time':
datetime.fromtimestamp(movie[2] + movie[3]), 'inf': True if
movie[3] else False})
result[channel_id] = channel_result
return result
| result_to_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw_result):\n result = {}\n for channel_index, channel in enumerate(raw_result):\n channel_id, channel_name = channel[0], channel[1]\n cha... |
def x(self):
for x in range(self.numberOfThreads):
self.taskQueue.put((None, None))
for t in self.threadList:
t.join()
| waitForCompletion | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for x in range(self.numberOfThreads):\n self.taskQueue.put((None, None))\n for t in self.threadList:\n t.join()\n",
"role": "u... |
def x():
print()
print('root directory :', tasks.conf.APE_ROOT)
print()
print('active container :', os.environ.get('CONTAINER_NAME', ''))
print()
print('active product :', os.environ.get('PRODUCT_NAME', ''))
print()
print('ape feature selection :', tasks.FEATURE_SELECTION)
print()
print('containers and products:')
print('-' * 30)
print()
for container_name in tasks.get_containers():
print(container_name)
for product_name in tasks.get_products(container_name):
print(' ' + product_name)
print()
| info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n print()\n print('root directory :', tasks.conf.APE_ROOT)\n print()\n print('active container :', os.environ.get('CONTAINER_NAME'... |
def x(doi):
parts = doi.split(':')
if len(parts) == 2:
container_name, product_name = parts[0], parts[1]
elif len(parts) == 1 and os.environ.get('CONTAINER_NAME'):
product_name = parts[0]
container_name = os.environ.get('CONTAINER_NAME')
else:
print(
'unable to parse context - format: <container_name>:<product_name>'
)
sys.exit(1)
if container_name not in tasks.get_containers():
print('No such container')
elif product_name:
if product_name not in tasks.get_products(container_name):
print('No such product')
else:
print(tasks.conf.SOURCE_HEADER)
print('cd ' + tasks.get_product_dir(container_name, product_name))
else:
print(tasks.conf.SOURCE_HEADER)
print('cd ' + tasks.get_container_dir(container_name))
| cd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(doi):\n parts = doi.split(':')\n if len(parts) == 2:\n container_name, product_name = parts[0], parts[1]\n elif len(parts) == 1 and os.environ.... |
def x(poi):
parts = poi.split(':')
if len(parts) == 2:
container_name, product_name = parts
elif len(parts) == 1 and os.environ.get('CONTAINER_NAME'):
container_name = os.environ.get('CONTAINER_NAME')
product_name = parts[0]
else:
print('unable to find poi: ', poi)
sys.exit(1)
if container_name not in tasks.get_containers():
raise ContainerNotFound('No such container %s' % container_name)
elif product_name not in tasks.get_products(container_name):
raise ProductNotFound('No such product %s' % product_name)
else:
print(SWITCH_TEMPLATE.format(source_header=tasks.conf.SOURCE_HEADER,
container_name=container_name, product_name=product_name))
| switch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(poi):\n parts = poi.split(':')\n if len(parts) == 2:\n container_name, product_name = parts\n elif len(parts) == 1 and os.environ.get('CONTAINE... |
def x(container_name):
container_dir = os.path.join(os.environ['APE_ROOT_DIR'], container_name)
if os.path.exists(container_dir):
os.environ['CONTAINER_DIR'] = container_dir
else:
raise ContainerNotFound('ERROR: container directory not found: %s' %
container_dir)
install_script = os.path.join(container_dir, 'install.py')
if os.path.exists(install_script):
print('... running install.py for %s' % container_name)
subprocess.check_call(['python', install_script])
else:
raise ContainerError(
'ERROR: this container does not provide an install.py!')
| install_container | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(container_name):\n container_dir = os.path.join(os.environ['APE_ROOT_DIR'], container_name)\n if os.path.exists(container_dir):\n os.environ['CONT... |
def x(poi=None):
if poi:
parts = poi.split(':')
if len(parts) == 2:
container_name, product_name = parts
if container_name not in tasks.get_containers():
print('No such container')
sys.exit(1)
elif product_name not in tasks.get_products(container_name):
print('No such product')
sys.exit(1)
else:
container_dir = tasks.get_container_dir(container_name)
else:
print('Please check your arguments: --poi <container>:<product>')
sys.exit(1)
else:
container_dir = os.environ.get('CONTAINER_DIR')
product_name = os.environ.get('PRODUCT_NAME')
return container_dir, product_name
| get_poi_tuple | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(poi=None):\n if poi:\n parts = poi.split(':')\n if len(parts) == 2:\n container_name, product_name = parts\n if containe... |
def x(poi=None):
from . import utils
from . import validators
container_dir, product_name = tasks.get_poi_tuple(poi=poi)
feature_list = utils.get_features_from_equation(container_dir, product_name
)
ordering_constraints = utils.get_feature_order_constraints(container_dir)
spec_path = utils.get_feature_ide_paths(container_dir, product_name
).product_spec_path
print('*** Starting product.equation validation')
print('\tChecking feature order')
feature_order_validator = validators.FeatureOrderValidator(feature_list,
ordering_constraints)
feature_order_validator.check_order()
if feature_order_validator.has_errors():
print('\t\txxx ERROR in your product.equation feature order xxx')
for error in feature_order_validator.get_violations():
print('\t\t\t', error[1])
else:
print('\t\tOK')
print('\tChecking functional product spec')
if not os.path.exists(spec_path):
print(
""" Skipped - No product spec exists.
You may create a product spec if you want to ensure that
required functional features are represented in the product equation
=> Create spec file featuremodel/productline/<container>/product_spec.json"""
)
return
spec_validator = validators.ProductSpecValidator(spec_path,
product_name, feature_list)
if not spec_validator.is_valid():
if spec_validator.get_errors_mandatory():
print('\t\tERROR: The following feature are missing',
spec_validator.get_errors_mandatory())
if spec_validator.get_errors_never():
print('\t\tERROR: The following feature are not allowed',
spec_validator.get_errors_never())
else:
print('\t\tOK')
if feature_order_validator.has_errors() or spec_validator.has_errors():
sys.exit(1)
| validate_product_equation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(poi=None):\n from . import utils\n from . import validators\n container_dir, product_name = tasks.get_poi_tuple(poi=poi)\n feature_list = utils.get... |
def x(info_object, feature_list):
feature_dependencies = json.load(open(info_object.feature_order_json))
feature_selection = [feature for feature in [feature.strip().replace(
'\n', '') for feature in feature_list] if len(feature) > 0 and not
feature.startswith('_') and not feature.startswith('#')]
return [(feature + '\n') for feature in feaquencer.get_total_order(
feature_selection, feature_dependencies)]
| get_ordered_feature_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(info_object, feature_list):\n feature_dependencies = json.load(open(info_object.feature_order_json))\n feature_selection = [feature for feature in [featu... |
def x(poi=None):
from . import utils
container_dir, product_name = tasks.get_poi_tuple(poi=poi)
info_object = utils.get_feature_ide_paths(container_dir, product_name)
feature_list = list()
try:
print('*** Processing ', info_object.config_file_path)
with open(info_object.config_file_path, 'r') as config_file:
config_file = config_file.readlines()
for line in config_file:
if len(line.split('__')) <= 2:
line = line
else:
line = line.replace('__', '.')
if line.startswith('abstract_'):
line = ''
feature_list.append(line)
except IOError:
print('{} does not exist. Make sure your config file exists.'.
format(info_object.config_file_path))
feature_list = tasks.get_ordered_feature_list(info_object, feature_list)
try:
with open(info_object.equation_file_path, 'w') as eq_file:
eq_file.writelines(feature_list)
print('*** Successfully generated product.equation')
except IOError:
print(
'product.equation file not found. Please make sure you have a valid product.equation in your chosen product'
)
tasks.validate_product_equation()
| config_to_equation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(poi=None):\n from . import utils\n container_dir, product_name = tasks.get_poi_tuple(poi=poi)\n info_object = utils.get_feature_ide_paths(container_di... |
def x(cls: Type[SIGType], pubkey: str) ->SIGType:
sig = cls()
sig.pubkey = pubkey
return sig
| token | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[SIGType], pubkey: str) ->SIGType:\n sig = cls()\n sig.pubkey = pubkey\n return sig\n",
"role": "user"
},
{
"content": "token",
... |
def x(cls: Type[CSVType], time: int) ->CSVType:
csv = cls()
csv.time = str(time)
return csv
| token | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[CSVType], time: int) ->CSVType:\n csv = cls()\n csv.time = str(time)\n return csv\n",
"role": "user"
},
{
"content": "token",
... |
def x(self, parser: Any, grammar: Any=None, attr_of: str=None):
return 'CSV({0})'.format(self.time)
| compose | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parser: Any, grammar: Any=None, attr_of: str=None):\n return 'CSV({0})'.format(self.time)\n",
"role": "user"
},
{
"content": "compose",
... |
def x(cls: Type[CLTVType], timestamp: int) ->CLTVType:
cltv = cls()
cltv.timestamp = str(timestamp)
return cltv
| token | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[CLTVType], timestamp: int) ->CLTVType:\n cltv = cls()\n cltv.timestamp = str(timestamp)\n return cltv\n",
"role": "user"
},
{
"c... |
def x(cls: Type[XHXType], sha_hash: str) ->XHXType:
xhx = cls()
xhx.sha_hash = sha_hash
return xhx
| token | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[XHXType], sha_hash: str) ->XHXType:\n xhx = cls()\n xhx.sha_hash = sha_hash\n return xhx\n",
"role": "user"
},
{
"content": "tok... |
def x(cls: Type[OperatorType], keyword: str) ->OperatorType:
op = cls(keyword)
return op
| token | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[OperatorType], keyword: str) ->OperatorType:\n op = cls(keyword)\n return op\n",
"role": "user"
},
{
"content": "token",
"role"... |
def x(cls: Type[ConditionType], left: Any, op: Optional[Any]=None, right:
Optional[Any]=None) ->ConditionType:
condition = cls()
condition.left = left
if op:
condition.op = op
if right:
condition.right = right
return condition
| token | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[ConditionType], left: Any, op: Optional[Any]=None, right:\n Optional[Any]=None) ->ConditionType:\n condition = cls()\n condition.left = left... |
def x(self, parser: Any, grammar: Any=None, attr_of: str=None) ->str:
if type(self.left) is Condition:
left = '({0})'.format(parser.compose(self.left, grammar=grammar,
attr_of=attr_of))
else:
left = parser.compose(self.left, grammar=grammar, attr_of=attr_of)
if getattr(self, 'op', None):
if type(self.right) is Condition:
right = '({0})'.format(parser.compose(self.right, grammar=
grammar, attr_of=attr_of))
else:
right = parser.compose(self.right, grammar=grammar, attr_of=attr_of
)
op = parser.compose(self.op, grammar=grammar, attr_of=attr_of)
result = '{0} {1} {2}'.format(left, op, right)
else:
result = left
return result
| compose | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parser: Any, grammar: Any=None, attr_of: str=None) ->str:\n if type(self.left) is Condition:\n left = '({0})'.format(parser.compose(self.left, ... |
def x(self, path):
module = import_module(path)
self.tags.update(module.register.tags)
self.helpers.update(module.register.helpers)
| load_library | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n module = import_module(path)\n self.tags.update(module.register.tags)\n self.helpers.update(module.register.helpers)\n",
"role": "u... |
def x():
handler = logging.StreamHandler()
handler.setLevel(logging.DEBUG)
handler.setFormatter(logging.Formatter(
'[%(levelname)1.1s %(asctime)s %(name)s] %(message)s',
'%y%m%d %H:%M:%S'))
logger_name = 'pydbal'
if Connection._instance_count > 1:
logger_name += ':' + str(Connection._instance_count)
logger = logging.getLogger(logger_name)
logger.setLevel(logging.DEBUG)
logger.addHandler(handler)
return logger
| get_default_logger | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n handler = logging.StreamHandler()\n handler.setLevel(logging.DEBUG)\n handler.setFormatter(logging.Formatter(\n '[%(levelname)1.1s %(ascti... |
def x(self):
if not self.is_connected():
if not self._auto_connect:
raise DBALConnectionError.connection_closed()
self.connect()
| ensure_connected | [
{
"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 self.is_connected():\n if not self._auto_connect:\n raise DBALConnectionError.connection_closed()\n self.connect()\... |
def x(self, sql, *args, **kwargs):
self.ensure_connected()
stmt = Statement(self)
stmt.execute(sql, *args, **kwargs)
return stmt
| query | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sql, *args, **kwargs):\n self.ensure_connected()\n stmt = Statement(self)\n stmt.execute(sql, *args, **kwargs)\n return stmt\n",
"role": ... |
def x(self, sql, *args, **kwargs):
self.ensure_connected()
return Statement(self).execute(sql, *args, **kwargs)
| execute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sql, *args, **kwargs):\n self.ensure_connected()\n return Statement(self).execute(sql, *args, **kwargs)\n",
"role": "user"
},
{
"conten... |
def x(self):
self.ensure_connected()
self._transaction_nesting_level += 1
if self._transaction_nesting_level == 1:
self._driver.begin_transaction()
elif self._nest_transactions_with_savepoints:
self.create_savepoint(self._get_nested_transaction_savepoint_name())
| begin_transaction | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.ensure_connected()\n self._transaction_nesting_level += 1\n if self._transaction_nesting_level == 1:\n self._driver.begin_transac... |
def x(self):
if self._transaction_nesting_level == 0:
raise DBALConnectionError.no_active_transaction()
if self._is_rollback_only:
raise DBALConnectionError.commit_failed_rollback_only()
self.ensure_connected()
if self._transaction_nesting_level == 1:
self._driver.commit()
elif self._nest_transactions_with_savepoints:
self.release_savepoint(self._get_nested_transaction_savepoint_name())
self._transaction_nesting_level -= 1
if not self._auto_commit and self._transaction_nesting_level == 0:
self.begin_transaction()
| commit | [
{
"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._transaction_nesting_level == 0:\n raise DBALConnectionError.no_active_transaction()\n if self._is_rollback_only:\n raise ... |
def x(self):
while self._transaction_nesting_level != 0:
if not self._auto_commit and self._transaction_nesting_level == 1:
return self.commit()
self.commit()
| commit_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n while self._transaction_nesting_level != 0:\n if not self._auto_commit and self._transaction_nesting_level == 1:\n return self.co... |
def x(self):
if self._transaction_nesting_level == 0:
raise DBALConnectionError.no_active_transaction()
self.ensure_connected()
if self._transaction_nesting_level == 1:
self._transaction_nesting_level = 0
self._driver.rollback()
self._is_rollback_only = False
if not self._auto_commit:
self.begin_transaction()
elif self._nest_transactions_with_savepoints:
self.rollback_savepoint(self._get_nested_transaction_savepoint_name())
self._transaction_nesting_level -= 1
else:
self._is_rollback_only = True
self._transaction_nesting_level -= 1
| rollback | [
{
"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._transaction_nesting_level == 0:\n raise DBALConnectionError.no_active_transaction()\n self.ensure_connected()\n if self._tran... |
def x(self, callback):
self.begin_transaction()
try:
result = callback(self)
self.commit()
return result
except:
self.rollback()
raise
| transaction | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback):\n self.begin_transaction()\n try:\n result = callback(self)\n self.commit()\n return result\n except:\n s... |
def x(self, auto_commit):
auto_commit = bool(auto_commit)
if auto_commit == self._auto_commit:
return
self._auto_commit = auto_commit
if self.is_connected() and self._transaction_nesting_level != 0:
self.commit_all()
| set_auto_commit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, auto_commit):\n auto_commit = bool(auto_commit)\n if auto_commit == self._auto_commit:\n return\n self._auto_commit = auto_commit\n if... |
def x(self, level):
self.ensure_connected()
self._transaction_isolation_level = level
self._platform.set_transaction_isolation(level)
| set_transaction_isolation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, level):\n self.ensure_connected()\n self._transaction_isolation_level = level\n self._platform.set_transaction_isolation(level)\n",
"role": ... |
def x(self):
if self._transaction_isolation_level is None:
self._transaction_isolation_level = (self._platform.
get_default_transaction_isolation_level())
return self._transaction_isolation_level
| get_transaction_isolation | [
{
"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._transaction_isolation_level is None:\n self._transaction_isolation_level = (self._platform.\n get_default_transaction_is... |
def x(self, nest_transactions_with_savepoints):
if self._transaction_nesting_level > 0:
raise DBALConnectionError.may_not_alter_nested_transaction_with_savepoints_in_transaction(
)
if not self._platform.is_savepoints_supported():
raise DBALConnectionError.savepoints_not_supported()
self._nest_transactions_with_savepoints = bool(
nest_transactions_with_savepoints)
| set_nest_transactions_with_savepoints | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, nest_transactions_with_savepoints):\n if self._transaction_nesting_level > 0:\n raise DBALConnectionError.may_not_alter_nested_transaction_with... |
def x(self, savepoint):
if not self._platform.is_savepoints_supported():
raise DBALConnectionError.savepoints_not_supported()
self.ensure_connected()
self._platform.create_savepoint(savepoint)
| create_savepoint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, savepoint):\n if not self._platform.is_savepoints_supported():\n raise DBALConnectionError.savepoints_not_supported()\n self.ensure_connecte... |
def x(self, savepoint):
if not self._platform.is_savepoints_supported():
raise DBALConnectionError.savepoints_not_supported()
if self._platform.is_release_savepoints_supported():
self.ensure_connected()
self._platform.release_savepoint(savepoint)
| release_savepoint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, savepoint):\n if not self._platform.is_savepoints_supported():\n raise DBALConnectionError.savepoints_not_supported()\n if self._platform.is... |
def x(self, savepoint):
if not self._platform.is_savepoints_supported():
raise DBALConnectionError.savepoints_not_supported()
self.ensure_connected()
self._platform.rollback_savepoint(savepoint)
| rollback_savepoint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, savepoint):\n if not self._platform.is_savepoints_supported():\n raise DBALConnectionError.savepoints_not_supported()\n self.ensure_connecte... |
def x(self, table, values):
assert isinstance(values, dict)
sb = self.sql_builder().insert(table)
for column, value in values.iteritems():
values[column] = sb.create_positional_parameter(value)
return sb.values(values).execute()
| insert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, values):\n assert isinstance(values, dict)\n sb = self.sql_builder().insert(table)\n for column, value in values.iteritems():\n va... |
def x(self, table, values, identifier):
assert isinstance(values, dict)
assert isinstance(identifier, dict)
sb = self.sql_builder().update(table)
for column, value in values.iteritems():
sb.set(column, sb.create_positional_parameter(value))
for column, value in identifier.iteritems():
func = self._expr.in_ if isinstance(value, (list, tuple)
) else self._expr.eq
sb.and_where(func(column, sb.create_positional_parameter(value)))
return sb.execute()
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, values, identifier):\n assert isinstance(values, dict)\n assert isinstance(identifier, dict)\n sb = self.sql_builder().update(table)\n ... |
def x(self, table, identifier):
assert isinstance(identifier, dict)
sb = self.sql_builder().delete(table)
for column, value in identifier.iteritems():
func = self._expr.in_ if isinstance(value, (list, tuple)
) else self._expr.eq
sb.and_where(func(column, sb.create_positional_parameter(value)))
return sb.execute()
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, identifier):\n assert isinstance(identifier, dict)\n sb = self.sql_builder().delete(table)\n for column, value in identifier.iteritems():... |
def x(self, sql, params):
try:
return self._execute_unsafe(sql, params)
except MySQLdb.OperationalError as ex:
if ex.args[0] in (2006, 2013, 2055):
self._log('Connection with server is lost. Trying to reconnect.')
self.connect()
return self._execute_unsafe(sql, params)
raise
| execute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sql, params):\n try:\n return self._execute_unsafe(sql, params)\n except MySQLdb.OperationalError as ex:\n if ex.args[0] in (2006, 20... |
def x(self):
cache = apt.cache.Cache()
for pkg in self.pkgs_required:
try:
pkg = cache[pkg]
if not pkg.is_installed:
try:
pkg.mark_install()
cache.commit()
except LockFailedException as lfe:
logging.error(
'Errore "{}" probabilmente l\'utente {} non ha i diritti di amministratore'
.format(lfe, self.username))
raise lfe
except Exception as e:
logging.error('Errore non classificato "{}"'.format(e))
raise e
except KeyError:
logging.error(
'Il pacchetto "{}" non e\' presente in questa distribuzione'
.format(pkg))
| requirements | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n cache = apt.cache.Cache()\n for pkg in self.pkgs_required:\n try:\n pkg = cache[pkg]\n if not pkg.is_installed:\n ... |
def x(self):
if self.filename is None:
self.filenamename = os.path.expanduser('~%s/%s' % (self.
host_username, FILE_RC))
if not os.path.exists(self.filename):
error_msg = (
u"""Impossibile trovare il file di configurazione '%s'.
Le unità di rete non saranno collegate."""
% FILE_RC.lstrip('.'))
if not self.shell_mode:
ErrorMessage(error_msg)
logging.error(error_msg)
sys.exit(5)
if self.verbose:
logging.warning('File RC utilizzato: %s', self.filename)
self.samba_shares = read_config(self.filename)
| set_shares | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.filename is None:\n self.filenamename = os.path.expanduser('~%s/%s' % (self.\n host_username, FILE_RC))\n if not os.pa... |
def x(self):
logging.info('start run with "{}" at {}'.format(self.username, datetime
.datetime.now()))
progress = Progress(text='Controllo requisiti software...', pulsate=
True, auto_close=True)
progress(1)
try:
self.requirements()
except LockFailedException as lfe:
ErrorMessage(
'Errore "{}" probabilmente l\'utente {} non ha i diritti di amministratore'
.format(lfe, self.username))
sys.exit(20)
except Exception as e:
ErrorMessage("Si e' verificato un errore generico: {}".format(e))
sys.exit(21)
progress(100)
self.set_shares()
insert_msg = "Inserisci l'utente del Dominio/Posta Elettronica"
default_username = (self.host_username if self.host_username else os.
environ['USER'])
self.domain_username = GetText(text=insert_msg, entry_text=self.username)
if self.domain_username is None or len(self.domain_username) == 0:
error_msg = 'Inserimento di un username di dominio vuoto'
ErrorMessage(self.msg_error % error_msg)
sys.exit(2)
insert_msg = u'Inserisci la password del Dominio/Posta Elettronica'
self.domain_password = GetText(text=insert_msg, entry_text='password',
password=True)
if self.domain_password is None or len(self.domain_password) == 0:
error_msg = u'Inserimento di una password di dominio vuota'
ErrorMessage(self.msg_error % error_msg)
sys.exit(3)
progress_msg = u'Collegamento unità di rete in corso...'
progress = Progress(text=progress_msg, pulsate=True, auto_close=True)
progress(1)
result = []
for share in self.samba_shares:
if 'mountpoint' not in share.keys():
mountpoint = os.path.expanduser('~%s/%s/%s' % (self.
host_username, share['hostname'], share['share']))
share.update({'mountpoint': mountpoint})
elif not share['mountpoint'].startswith('/'):
mountpoint = os.path.expanduser('~%s/%s' % (self.host_username,
share['mountpoint']))
share.update({'mountpoint': mountpoint})
share.update({'host_username': self.host_username,
'domain_username': share.get('username', self.domain_username),
'domain_password': share.get('password', self.domain_password)})
if not os.path.exists(share['mountpoint']):
if self.verbose:
logging.warning('Mountpoint "%s" not exist.' % share[
'mountpoint'])
if not self.dry_run:
os.makedirs(share['mountpoint'])
umont_cmd = self.cmd_umount % share
if self.verbose:
logging.warning('Umount command: %s' % umont_cmd)
if not self.dry_run:
umount_p = subprocess.Popen(umont_cmd, shell=True)
returncode = umount_p.wait()
time.sleep(2)
mount_cmd = self.cmd_mount % share
if self.verbose:
placeholder = ',password='
logging.warning('Mount command: %s%s' % (mount_cmd.split(
placeholder)[0], placeholder + '******"'))
if not self.dry_run:
p_mnt = subprocess.Popen(mount_cmd, shell=True, stdout=
subprocess.PIPE, stderr=subprocess.PIPE)
returncode = p_mnt.wait()
result.append({'share': share['share'], 'returncode':
returncode, 'stdout': p_mnt.stdout.read(), 'stderr': p_mnt.
stderr.read()})
progress(100)
if self.verbose:
logging.warning('Risultati: %s' % result)
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n logging.info('start run with \"{}\" at {}'.format(self.username, datetime\n .datetime.now()))\n progress = Progress(text='Controllo requi... |
def x(db):
db_data = {'name': db.name, '_collections': dict()}
for col_name, collection in iteritems(db._collections):
if col_name != 'system.indexes':
col_data = {'_documents': collection._documents, '_uniques':
collection._uniques}
db_data['_collections'][col_name] = col_data
return db_data
| dump | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(db):\n db_data = {'name': db.name, '_collections': dict()}\n for col_name, collection in iteritems(db._collections):\n if col_name != 'system.inde... |
def x(db_data, db):
if db.name != db_data['name']:
raise ValueError("dbname doesn't matches! Maybe wrong database data.")
db.__init__(client=db._client, name=db.name)
for col_name, col_data in iteritems(db_data['_collections']):
collection = db.get_collection(col_name)
collection._documents = col_data['_documents']
collection._uniques = col_data['_uniques']
db._collections[col_name] = collection
return db
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(db_data, db):\n if db.name != db_data['name']:\n raise ValueError(\"dbname doesn't matches! Maybe wrong database data.\")\n db.__init__(client=db.... |
def x(db, file, pretty=False, overwrite=False, verbose=True):
db_data = _dump(db)
json.dump(db_data, file, pretty=pretty, overwrite=overwrite, verbose=
verbose)
| dump_db | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(db, file, pretty=False, overwrite=False, verbose=True):\n db_data = _dump(db)\n json.dump(db_data, file, pretty=pretty, overwrite=overwrite, verbose=\n ... |
def x(file, db, verbose=True):
db_data = json.load(file, verbose=verbose)
return _load(db_data, db)
| load_db | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file, db, verbose=True):\n db_data = json.load(file, verbose=verbose)\n return _load(db_data, db)\n",
"role": "user"
},
{
"content": "load_db... |
def x(ormSession, column, values: List[Union[int, str]]):
if isPostGreSQLDialect(ormSession.bind):
return column.in_(values)
if not isMssqlDialect(ormSession.bind):
raise NotImplementedError()
sql = _createMssqlSqlText(values)
sub_qry = ormSession.query(column)
sub_qry = sub_qry.from_statement(sql)
return column.in_(sub_qry)
| makeOrmValuesSubqueryCondition | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ormSession, column, values: List[Union[int, str]]):\n if isPostGreSQLDialect(ormSession.bind):\n return column.in_(values)\n if not isMssqlDialect... |
def x(engine, column, values: List[Union[int, str]]):
if isPostGreSQLDialect(engine):
return column.in_(values)
if not isMssqlDialect(engine):
raise NotImplementedError()
sql = _createMssqlSqlText(values)
return column.in_(sql)
| makeCoreValuesSubqueryCondition | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(engine, column, values: List[Union[int, str]]):\n if isPostGreSQLDialect(engine):\n return column.in_(values)\n if not isMssqlDialect(engine):\n ... |
def x(package_name: str, relative_path: typing.Union[str, Path]) ->Path:
relative_path = Path(relative_path)
methods = [_get_from_dev, _get_from_package, _get_from_sys]
for method in methods:
path = method(package_name, relative_path)
if path.exists():
return path
raise FileNotFoundError(relative_path)
| resource_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(package_name: str, relative_path: typing.Union[str, Path]) ->Path:\n relative_path = Path(relative_path)\n methods = [_get_from_dev, _get_from_package, _... |
def x(message, *args, **kwargs):
verbosity = kwargs.pop('verbosity', 1)
if sys.flags.verbose >= verbosity:
if not message.startswith(('#', 'import ')):
message = '# ' + message
print(message.format(*args), file=sys.stderr)
| verbose_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(message, *args, **kwargs):\n verbosity = kwargs.pop('verbosity', 1)\n if sys.flags.verbose >= verbosity:\n if not message.startswith(('#', 'import... |
def x(self):
if self._scheme == 'unix':
self._connection = socket.socket(socket.AF_UNIX, socket.SOCK_STREAM, 0)
self._connection.connect(self._path)
elif self._scheme == 'tcp':
self._connection = socket.socket(socket.AF_INET, socket.SOCK_STREAM,
socket.SOL_TCP)
self._connection.connect((self._host, self._port))
elif self._scheme == 'http':
self._connection = httplib.HTTPConnection(self._host, self._port,
strict=False)
else:
raise ConnectionError('Connection scheme not recognized!')
| open_connection | [
{
"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._scheme == 'unix':\n self._connection = socket.socket(socket.AF_UNIX, socket.SOCK_STREAM, 0)\n self._connection.connect(self.... |
def x(self, xml_request):
if self._scheme == 'http':
return self._send_http_request(xml_request)
else:
return self._send_socket_request(xml_request)
| send_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, xml_request):\n if self._scheme == 'http':\n return self._send_http_request(xml_request)\n else:\n return self._send_socket_request(x... |
def x(self, xml_request):
headers = {'Host': self._host, 'Content-Type': 'text/xml', 'Recipient':
self._storage}
try:
self._connection.request('POST', self._selector_url, xml_request,
headers)
response = self._connection.getresponse()
except (httplib.CannotSendRequest, httplib.BadStatusLine):
Debug.warn('\nRestarting socket, resending message!')
self._open_connection()
self._connection.request('POST', self._selector_url, xml_request,
headers)
response = self._connection.getresponse()
data = response.read()
return data
| send_http_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, xml_request):\n headers = {'Host': self._host, 'Content-Type': 'text/xml', 'Recipient':\n self._storage}\n try:\n self._connection.re... |
def x(self, xml_request):
def x(number):
buff = []
while number:
byte = number % 128
number = number // 128
if number > 0:
byte |= 128
buff.append(chr(byte))
return ''.join(buff)
def x(stream):
used = 0
number = 0
q = 1
while True:
byte = ord(stream[used])
used += 1
number += q * (byte & 127)
q *= 128
if byte & 128 == 0:
break
return number, used
def x(fields):
chunks = []
for field_id, message in fields.items():
chunks.append(to_variant(field_id << 3 | 2))
chunks.append(to_variant(len(message)))
chunks.append(message)
return ''.join(chunks)
def x(stream):
fields = {}
offset = 0
stream_lenght = len(stream)
while offset < stream_lenght:
field_header, used = from_variant(stream[offset:])
offset += used
wire_type = field_header & 7
field_id = field_header >> 3
if wire_type == 2:
message_lenght, used = from_variant(stream[offset:])
offset += used
fields[field_id] = stream[offset:offset + message_lenght]
offset += message_lenght
elif wire_type == 0:
fields[field_id], used = from_variant(stream[offset:])
offset += used
elif wire_type == 1:
fields[field_id] = stream[offset:offset + 8]
offset += 8
elif wire_type == 3:
raise ConnectionError()
elif wire_type == 4:
raise ConnectionError()
elif wire_type == 5:
fields[field_id] = stream[offse:offset + 4]
offset += 4
else:
raise ConnectionError()
return fields
def x(lenght):
result = []
result.append(chr(lenght & 255))
result.append(chr((lenght & 65280) >> 8))
result.append(chr((lenght & 16711680) >> 16))
result.append(chr((lenght & 4278190080) >> 24))
return '\t\t\x00\x00' + ''.join(result)
def x(header):
if len(header) == 8 and header[0] == '\t' and header[1
] == '\t' and header[2] == '\x00' and header[3] == '\x00':
return ord(header[4]) | ord(header[5]) << 8 | ord(header[6]
) << 16 | ord(header[7]) << 24
else:
raise ConnectionError()
def x(data):
sent_bytes = 0
failures = 0
total_bytes = len(data)
while sent_bytes < total_bytes:
sent = self._connection.send(data[sent_bytes:])
if sent == 0:
failures += 1
if failures > 5:
raise ConnectionError()
continue
sent_bytes += sent
def x(lenght):
total_recieved = 0
failures = 5
recieved_chunks = []
while total_recieved < lenght:
chunk = self._connection.recv(lenght - total_recieved)
if not chunk:
failures += 1
if failures > 5:
raise ConnectionError()
continue
recieved_chunks.append(chunk)
total_recieved += len(chunk)
return ''.join(recieved_chunks)
encoded_message = encode_fields({(1): xml_request, (2): self._storage if
self._storage else 'special:detect-storage'})
header = make_header(len(encoded_message))
try:
socket_send(header + encoded_message)
except (ConnectionError, socket.error):
self._connection.close()
self._open_connection()
socket_send(header + encoded_message)
header = socket_recieve(8)
lenght = parse_header(header)
encoded_response = socket_recieve(lenght)
response = decode_fields(encoded_response)
return response[1]
| send_socket_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, xml_request):\n\n def x(number):\n buff = []\n while number:\n byte = number % 128\n number = number // 128\n ... |
def x(self, *args, **kwargs):
return SimilarRequest(self, *args, mode='text', **kwargs).send()
| similar_text | [
{
"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 return SimilarRequest(self, *args, mode='text', **kwargs).send()\n",
"role": "user"
},
{
"content": "similar_text",
... |
def x(dividend, divisor):
try:
divisor = float(divisor)
dividend = float(dividend)
except (TypeError, ValueError, AssertionError):
return float('nan')
try:
return dividend / divisor
except ZeroDivisionError:
return float('nan')
| safe_division | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dividend, divisor):\n try:\n divisor = float(divisor)\n dividend = float(dividend)\n except (TypeError, ValueError, AssertionError):\n ... |
def x(lhs_version, rhs_version):
lhs_major, lhs_minor, lhs_revision = [int(v) for v in lhs_version.split
('.')]
rhs_major, rhs_minor, rhs_revision = [int(v) for v in rhs_version.split
('.')]
if lhs_major < rhs_major:
return -1
elif lhs_major > rhs_major:
return 1
if lhs_minor < rhs_minor:
return -1
elif lhs_minor > rhs_minor:
return 1
if lhs_revision < rhs_revision:
return -1
elif lhs_revision > rhs_revision:
return 1
return 0
| compare_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lhs_version, rhs_version):\n lhs_major, lhs_minor, lhs_revision = [int(v) for v in lhs_version.split\n ('.')]\n rhs_major, rhs_minor, rhs_revision... |
def x(dict_input, indent=4):
dict_work = dict(dict_input)
"""
for key, value in six.iteritems(dict_input):
if any([f(value) for f in (is_float, isDict, is_list_or_tuple)]):
dict_work[key] = value
continue
try:
dict_work[key] = str(value)
except:
dict_work[key] = str(type(value))
dict_work[key] = _convert_dump_dict(value)
"""
try:
import json
return json.dumps(dict_work, sort_keys=True, indent=indent)
except ImportError:
pass
try:
import simplejson as json
return json.dumps(dict_work, sort_keys=True, indent=indent)
except ImportError:
pass
try:
import pprint
return pprint.pformat(dict_work, indent=indent)
except ImportError:
pass
return str(dict_work)
| dump_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dict_input, indent=4):\n dict_work = dict(dict_input)\n \"\"\"\n for key, value in six.iteritems(dict_input):\n if any([f(value) for f in (is_f... |
def x(fulldir):
try:
if not os.path.exists(fulldir):
os.makedirs(fulldir)
except OSError as exc:
import errno
if exc.errno == errno.EEXIST:
pass
else:
raise
| makedirs_safe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fulldir):\n try:\n if not os.path.exists(fulldir):\n os.makedirs(fulldir)\n except OSError as exc:\n import errno\n if ex... |
def x(name):
if isinstance(name, bytes) and not isinstance(name, str):
return name.decode('utf8')
else:
return name
| str_ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n if isinstance(name, bytes) and not isinstance(name, str):\n return name.decode('utf8')\n else:\n return name\n",
"role": "user... |
def x(command, queue=None, cwd=True, name=None, deps=[], stdout='', stderr=
'', env=[], array=None, context='grid', hostname=None, memfree=None,
hvmem=None, gpumem=None, pe_opt=None, io_big=False):
scmd = ['qsub']
import six
if isinstance(queue, six.string_types) and queue not in ('all.q', 'default'
):
scmd += ['-l', queue]
if memfree:
scmd += ['-l', 'mem_free=%s' % memfree]
if hvmem:
scmd += ['-l', 'h_vmem=%s' % hvmem]
if gpumem:
scmd += ['-l', 'gpumem=%s' % gpumem]
if io_big:
scmd += ['-l', 'io_big']
if hostname:
scmd += ['-l', 'hostname=%s' % hostname]
if pe_opt:
scmd += ['-pe'] + pe_opt.split()
if cwd:
scmd += ['-cwd']
if name:
scmd += ['-N', name]
if deps:
scmd += ['-hold_jid', ','.join([('%d' % k) for k in deps])]
if stdout:
if not cwd:
curdir = os.path.realpath(os.curdir)
os.chdir(os.environ['HOME'])
if not os.path.exists(stdout):
makedirs_safe(stdout)
if not cwd:
os.chdir(os.path.realpath(curdir))
scmd += ['-o', stdout]
if stderr:
if not os.path.exists(stderr):
makedirs_safe(stderr)
scmd += ['-e', stderr]
elif stdout:
scmd += ['-e', stdout]
scmd += ['-terse']
for k in env:
scmd += ['-v', k]
if array is not None:
scmd.append('-t')
if isinstance(array, six.string_types):
try:
i = int(array)
scmd.append('1-%d:1' % i)
except ValueError:
scmd.append('%s' % array)
if isinstance(array, six.integer_types):
scmd.append('1-%d:1' % array)
if isinstance(array, (tuple, list)):
if len(array) < 1 or len(array) > 3:
raise RuntimeError(
'Array tuple should have length between 1 and 3')
elif len(array) == 1:
scmd.append('%s' % array[0])
elif len(array) == 2:
scmd.append('%s-%s' % (array[0], array[1]))
elif len(array) == 3:
scmd.append('%s-%s:%s' % (array[0], array[1], array[2]))
if not isinstance(command, (list, tuple)):
command = [command]
scmd += command
logger.debug("Qsub command '%s'", ' '.join(scmd))
from .setshell import sexec
jobid = str_(sexec(context, scmd))
return int(jobid.split('.', 1)[0])
| qsub | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(command, queue=None, cwd=True, name=None, deps=[], stdout='', stderr=\n '', env=[], array=None, context='grid', hostname=None, memfree=None,\n hvmem=None... |
def x(jobid, context='grid'):
scmd = ['qstat', '-j', '%d' % jobid, '-f']
logger.debug("Qstat command '%s'", ' '.join(scmd))
from .setshell import sexec
data = str_(sexec(context, scmd, error_on_nonzero=False))
retval = {}
for line in data.split('\n'):
s = line.strip()
if s.lower().find('do not exist') != -1:
return {}
if not s or s.find(10 * '=') != -1:
continue
kv = QSTAT_FIELD_SEPARATOR.split(s, 1)
if len(kv) == 2:
retval[kv[0]] = kv[1]
return retval
| qstat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(jobid, context='grid'):\n scmd = ['qstat', '-j', '%d' % jobid, '-f']\n logger.debug(\"Qstat command '%s'\", ' '.join(scmd))\n from .setshell import se... |
def x(jobid, context='grid'):
scmd = ['qdel', '%d' % jobid]
logger.debug("Qdel command '%s'", ' '.join(scmd))
from .setshell import sexec
sexec(context, scmd, error_on_nonzero=False)
| qdel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(jobid, context='grid'):\n scmd = ['qdel', '%d' % jobid]\n logger.debug(\"Qdel command '%s'\", ' '.join(scmd))\n from .setshell import sexec\n sexec... |
def x(world):
world_size = len(world)
def x(index):
return index % world_size
for x in range(world_size):
for y in range(world_size):
if not world[x][y].allow_change.get():
continue
live_neighbor_count = sum([world[wrap(x)][wrap(y + 1)].value,
world[wrap(x + 1)][wrap(y + 1)].value, world[wrap(x + 1)][
wrap(y)].value, world[wrap(x + 1)][wrap(y - 1)].value,
world[wrap(x)][wrap(y - 1)].value, world[wrap(x - 1)][wrap(
y - 1)].value, world[wrap(x - 1)][wrap(y)].value, world[
wrap(x - 1)][wrap(y + 1)].value])
if world[x][y].value:
if not (live_neighbor_count == 2 or live_neighbor_count == 3):
world[x][y].value = False
elif live_neighbor_count == 3:
world[x][y].value = True
| update_state | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(world):\n world_size = len(world)\n\n def x(index):\n return index % world_size\n for x in range(world_size):\n for y in range(world_siz... |
def x(event):
grid_x_coord = int(divmod(event.x, cell_size)[0])
grid_y_coord = int(divmod(event.y, cell_size)[0])
world[grid_x_coord][grid_y_coord].value = True
color = world[x][y].color_alive.get_as_hex()
canvas.itemconfig(canvas_grid[grid_x_coord][grid_y_coord], fill=color)
| click_event | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(event):\n grid_x_coord = int(divmod(event.x, cell_size)[0])\n grid_y_coord = int(divmod(event.y, cell_size)[0])\n world[grid_x_coord][grid_y_coord].va... |
def x():
for x in range(len(world)):
for y in range(len(world[x])):
if world[x][y].value:
color = world[x][y].color_alive.get_as_hex()
else:
color = world[x][y].color_dead.get_as_hex()
canvas.itemconfig(canvas_grid[x][y], fill=color)
| draw_canvas | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n for x in range(len(world)):\n for y in range(len(world[x])):\n if world[x][y].value:\n color = world[x][y].color_alive... |
def x(p, q):
from math import copysign
if q != 0.0:
return p / q
elif p == 0.0:
return p / q
elif copysign(1, q) > 0:
return copysign(inf, p)
else:
return copysign(inf, -p)
| div | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p, q):\n from math import copysign\n if q != 0.0:\n return p / q\n elif p == 0.0:\n return p / q\n elif copysign(1, q) > 0:\n ... |
def x(context=None):
namespace = {'db': db, 'session': db.session}
namespace.update(_iter_context())
if context is not None:
namespace.update(context)
return namespace
| make_context | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context=None):\n namespace = {'db': db, 'session': db.session}\n namespace.update(_iter_context())\n if context is not None:\n namespace.update... |
def x(**kwargs):
database = kwargs.pop('database', False)
if database and not database_exists(engine['default'].url):
create_database(engine['default'].url, encoding='utf8')
clear_cache()
expression = lambda target, table: table.create(target)
test = lambda target, table: table.exists(target)
op(expression, test=test, primary='init', secondary='create', **kwargs)
| init | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**kwargs):\n database = kwargs.pop('database', False)\n if database and not database_exists(engine['default'].url):\n create_database(engine['defa... |
def x(**kwargs):
database = kwargs.pop('database', False)
expression = lambda target, table: table.drop(target)
test = lambda x, tab: not database_exists(x.url) or not tab.exists(x)
if database and database_exists(engine['default'].url):
drop_database(engine['default'].url)
clear_cache()
op(expression, reversed(metadata.sorted_tables), test=test, primary=
'clear', secondary='drop', **kwargs)
| clear | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**kwargs):\n database = kwargs.pop('database', False)\n expression = lambda target, table: table.drop(target)\n test = lambda x, tab: not database_exi... |
def x(**kwargs):
expression = lambda target, table: target.execute(table.delete())
test = lambda target, table: not table.exists(target)
op(expression, reversed(metadata.sorted_tables), test=test, primary=
'flush', secondary='flush', **kwargs)
| flush | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**kwargs):\n expression = lambda target, table: target.execute(table.delete())\n test = lambda target, table: not table.exists(target)\n op(expression... |
def x(table, names):
if not names:
return True
model, component = table.class_, table.class_._component
if component in names:
return True
model_name = '%s.%s' % (model.__module__, model.__name__)
if model_name in names:
return True
short_name = '%s:%s' % (component, model.__name__)
if short_name in names:
return True
return False
| is_table_included | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(table, names):\n if not names:\n return True\n model, component = table.class_, table.class_._component\n if component in names:\n retur... |
def x():
if 'PIP_AUTO_COMPLETE' not in os.environ:
return
cwords = os.environ['COMP_WORDS'].split()[1:]
cword = int(os.environ['COMP_CWORD'])
try:
current = cwords[cword - 1]
except IndexError:
current = ''
load_all_commands()
subcommands = [cmd for cmd, cls in command_dict.items() if not cls.hidden]
options = []
try:
subcommand_name = [w for w in cwords if w in subcommands][0]
except IndexError:
subcommand_name = None
if subcommand_name:
if subcommand_name == 'help':
sys.exit(1)
if subcommand_name == 'uninstall' and not current.startswith('-'):
installed = []
lc = current.lower()
for dist in get_installed_distributions(local_only=True):
if dist.key.startswith(lc) and dist.key not in cwords[1:]:
installed.append(dist.key)
if installed:
for dist in installed:
print(dist)
sys.exit(1)
subcommand = command_dict.get(subcommand_name)
options += [(opt.get_opt_string(), opt.nargs) for opt in subcommand
.parser.option_list if opt.help != optparse.SUPPRESS_HELP]
prev_opts = [x.split('=')[0] for x in cwords[1:cword - 1]]
options = [(x, v) for x, v in options if x not in prev_opts]
options = [(k, v) for k, v in options if k.startswith(current)]
for option in options:
opt_label = option[0]
if option[1]:
opt_label += '='
print(opt_label)
else:
if current.startswith('-') or current.startswith('--'):
subcommands += [opt.get_opt_string() for opt in parser.
option_list if opt.help != optparse.SUPPRESS_HELP]
print(' '.join([x for x in subcommands if x.startswith(current)]))
sys.exit(1)
| autocomplete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if 'PIP_AUTO_COMPLETE' not in os.environ:\n return\n cwords = os.environ['COMP_WORDS'].split()[1:]\n cword = int(os.environ['COMP_CWORD'])... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.