source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, username, password):
state_snapshot = self._state.copy()
try:
self._ajax_api.User_Login(name=username, password=password)
self._android_api.login(account=username, password=password)
self._manga_api.cr_login(account=username, password=password)
except Exception as err:
self._state = state_snapshot
raise err
self._state['username'] = username
self._state['password'] = password
return self.logged_in
|
login
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, password):\n state_snapshot = self._state.copy()\n try:\n self._ajax_api.User_Login(name=username, password=password)\n self._android_api.login(account=username, password=password)\n self._manga_api.cr_login(account=username, password=password)\n except Exception as err:\n self._state = state_snapshot\n raise err\n self._state['username'] = username\n self._state['password'] = password\n return self.logged_in\n",
"role": "user"
},
{
"content": "login",
"role": "assistant"
}
] |
def x(self, sort=META.SORT_ALPHA, limit=META.MAX_SERIES, offset=0):
result = self._android_api.list_series(media_type=ANDROID.
MEDIA_TYPE_ANIME, filter=sort, limit=limit, offset=offset)
return result
|
list_anime_series
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sort=META.SORT_ALPHA, limit=META.MAX_SERIES, offset=0):\n result = self._android_api.list_series(media_type=ANDROID.\n MEDIA_TYPE_ANIME, filter=sort, limit=limit, offset=offset)\n return result\n",
"role": "user"
},
{
"content": "list_anime_series",
"role": "assistant"
}
] |
def x(self, sort=META.SORT_ALPHA, limit=META.MAX_SERIES, offset=0):
result = self._android_api.list_series(media_type=ANDROID.
MEDIA_TYPE_DRAMA, filter=sort, limit=limit, offset=offset)
return result
|
list_drama_series
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sort=META.SORT_ALPHA, limit=META.MAX_SERIES, offset=0):\n result = self._android_api.list_series(media_type=ANDROID.\n MEDIA_TYPE_DRAMA, filter=sort, limit=limit, offset=offset)\n return result\n",
"role": "user"
},
{
"content": "list_drama_series",
"role": "assistant"
}
] |
def x(self, filter=None, content_type='jp_manga'):
result = self._manga_api.list_series(filter, content_type)
return result
|
list_manga_series
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filter=None, content_type='jp_manga'):\n result = self._manga_api.list_series(filter, content_type)\n return result\n",
"role": "user"
},
{
"content": "list_manga_series",
"role": "assistant"
}
] |
def x(self, query_string):
result = self._android_api.list_series(media_type=ANDROID.
MEDIA_TYPE_ANIME, filter=ANDROID.FILTER_PREFIX + query_string)
return result
|
search_anime_series
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query_string):\n result = self._android_api.list_series(media_type=ANDROID.\n MEDIA_TYPE_ANIME, filter=ANDROID.FILTER_PREFIX + query_string)\n return result\n",
"role": "user"
},
{
"content": "search_anime_series",
"role": "assistant"
}
] |
def x(self, query_string):
result = self._android_api.list_series(media_type=ANDROID.
MEDIA_TYPE_DRAMA, filter=ANDROID.FILTER_PREFIX + query_string)
return result
|
search_drama_series
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query_string):\n result = self._android_api.list_series(media_type=ANDROID.\n MEDIA_TYPE_DRAMA, filter=ANDROID.FILTER_PREFIX + query_string)\n return result\n",
"role": "user"
},
{
"content": "search_drama_series",
"role": "assistant"
}
] |
def x(self, query_string):
result = self._manga_api.list_series()
return [series for series in result if series['locale']['enUS']['name']
.lower().startswith(query_string.lower())]
|
search_manga_series
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query_string):\n result = self._manga_api.list_series()\n return [series for series in result if series['locale']['enUS']['name']\n .lower().startswith(query_string.lower())]\n",
"role": "user"
},
{
"content": "search_manga_series",
"role": "assistant"
}
] |
def x(self, series, sort=META.SORT_DESC, limit=META.MAX_MEDIA, offset=0):
params = {'sort': sort, 'offset': offset, 'limit': limit}
params.update(self._get_series_query_dict(series))
result = self._android_api.list_media(**params)
return result
|
list_media
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, series, sort=META.SORT_DESC, limit=META.MAX_MEDIA, offset=0):\n params = {'sort': sort, 'offset': offset, 'limit': limit}\n params.update(self._get_series_query_dict(series))\n result = self._android_api.list_media(**params)\n return result\n",
"role": "user"
},
{
"content": "list_media",
"role": "assistant"
}
] |
def x(self, series, query_string):
params = {'sort': ANDROID.FILTER_PREFIX + query_string}
params.update(self._get_series_query_dict(series))
result = self._android_api.list_media(**params)
return result
|
search_media
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, series, query_string):\n params = {'sort': ANDROID.FILTER_PREFIX + query_string}\n params.update(self._get_series_query_dict(series))\n result = self._android_api.list_media(**params)\n return result\n",
"role": "user"
},
{
"content": "search_media",
"role": "assistant"
}
] |
def x(self, media_item, format, quality):
result = self._ajax_api.VideoPlayer_GetStandardConfig(media_id=
media_item.media_id, video_format=format, video_quality=quality)
return MediaStream(result)
|
get_media_stream
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, media_item, format, quality):\n result = self._ajax_api.VideoPlayer_GetStandardConfig(media_id=\n media_item.media_id, video_format=format, video_quality=quality)\n return MediaStream(result)\n",
"role": "user"
},
{
"content": "get_media_stream",
"role": "assistant"
}
] |
def x(self, subtitle_stub):
return Subtitle(self._ajax_api.Subtitle_GetXml(subtitle_script_id=int(
subtitle_stub.id)))
|
unfold_subtitle_stub
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subtitle_stub):\n return Subtitle(self._ajax_api.Subtitle_GetXml(subtitle_script_id=int(\n subtitle_stub.id)))\n",
"role": "user"
},
{
"content": "unfold_subtitle_stub",
"role": "assistant"
}
] |
def x(self, media_item):
scraper = ScraperApi(self._ajax_api._connector)
formats = scraper.get_media_formats(media_item.media_id)
return formats
|
get_stream_formats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, media_item):\n scraper = ScraperApi(self._ajax_api._connector)\n formats = scraper.get_media_formats(media_item.media_id)\n return formats\n",
"role": "user"
},
{
"content": "get_stream_formats",
"role": "assistant"
}
] |
def x(self, media_types=[META.TYPE_ANIME, META.TYPE_DRAMA]):
result = self._android_api.queue(media_types='|'.join(media_types))
return [queue_item['series'] for queue_item in result]
|
list_queue
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, media_types=[META.TYPE_ANIME, META.TYPE_DRAMA]):\n result = self._android_api.queue(media_types='|'.join(media_types))\n return [queue_item['series'] for queue_item in result]\n",
"role": "user"
},
{
"content": "list_queue",
"role": "assistant"
}
] |
def x(self, series):
result = self._android_api.add_to_queue(series_id=series.series_id)
return result
|
add_to_queue
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, series):\n result = self._android_api.add_to_queue(series_id=series.series_id)\n return result\n",
"role": "user"
},
{
"content": "add_to_queue",
"role": "assistant"
}
] |
def x(self, series):
result = self._android_api.remove_from_queue(series_id=series.series_id)
return result
|
remove_from_queue
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, series):\n result = self._android_api.remove_from_queue(series_id=series.series_id)\n return result\n",
"role": "user"
},
{
"content": "remove_from_queue",
"role": "assistant"
}
] |
def x(name, dct, *, strict=False):
return type(name, (CompoundSchema,), {'__slots__': (), 'schema': dct,
'strict': strict})
|
schema
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, dct, *, strict=False):\n return type(name, (CompoundSchema,), {'__slots__': (), 'schema': dct,\n 'strict': strict})\n",
"role": "user"
},
{
"content": "schema",
"role": "assistant"
}
] |
def x(cls, key, value):
schema_type = cls.schema.get(key)
if schema_type is None:
if cls.strict:
raise TypeError(f'Invalid key {key!r}')
elif not isinstance(value, schema_type):
try:
return schema_type(value)
except CastError:
raise
except Exception as exc:
raise CastError(value, schema_type) from exc
return value
|
cast_item
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, key, value):\n schema_type = cls.schema.get(key)\n if schema_type is None:\n if cls.strict:\n raise TypeError(f'Invalid key {key!r}')\n elif not isinstance(value, schema_type):\n try:\n return schema_type(value)\n except CastError:\n raise\n except Exception as exc:\n raise CastError(value, schema_type) from exc\n return value\n",
"role": "user"
},
{
"content": "cast_item",
"role": "assistant"
}
] |
def x(oldname, newfunc):
newname = newfunc.__name__
def x(*args, **kwargs):
warnings.warn(
'{oldname} is obsolete and is removed in PyQt5. Use {newname} instead.'
.format(oldname=oldname, newname=newname), DeprecationWarning,
stacklevel=2)
return newfunc(*args, **kwargs)
__obsolete.__name__ = oldname
return __obsolete
|
obsolete_rename
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(oldname, newfunc):\n newname = newfunc.__name__\n\n def x(*args, **kwargs):\n warnings.warn(\n '{oldname} is obsolete and is removed in PyQt5. Use {newname} instead.'\n .format(oldname=oldname, newname=newname), DeprecationWarning,\n stacklevel=2)\n return newfunc(*args, **kwargs)\n __obsolete.__name__ = oldname\n return __obsolete\n",
"role": "user"
},
{
"content": "obsolete_rename",
"role": "assistant"
}
] |
def x(command, silent=False):
try:
if silent:
with open(os.devnull, 'w') as FNULL:
return subprocess.check_call(command_to_array(command),
stdout=FNULL)
else:
return check_call(command_to_array(command))
except CalledProcessError as e:
e.message = '%s failed with error code %s' % (e.cmd[0], e.returncode)
e.cmd = e.cmd[0] + ' [arguments stripped for security]'
raise e
|
call
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(command, silent=False):\n try:\n if silent:\n with open(os.devnull, 'w') as FNULL:\n return subprocess.check_call(command_to_array(command),\n stdout=FNULL)\n else:\n return check_call(command_to_array(command))\n except CalledProcessError as e:\n e.message = '%s failed with error code %s' % (e.cmd[0], e.returncode)\n e.cmd = e.cmd[0] + ' [arguments stripped for security]'\n raise e\n",
"role": "user"
},
{
"content": "call",
"role": "assistant"
}
] |
def x(source_directory_path, output_file_full_path, silent=False):
output_directory_path = output_file_full_path.rsplit('/', 1)[0]
create_folders(output_directory_path)
full_tar_file_path = output_file_full_path + '.tbz'
if path.exists(full_tar_file_path):
raise Exception('%s already exists, aborting.' % full_tar_file_path)
tar_command = 'tar jpcfvC %s %s %s' % (full_tar_file_path,
source_directory_path, './')
call(tar_command, silent=silent)
return full_tar_file_path
|
tarbz
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source_directory_path, output_file_full_path, silent=False):\n output_directory_path = output_file_full_path.rsplit('/', 1)[0]\n create_folders(output_directory_path)\n full_tar_file_path = output_file_full_path + '.tbz'\n if path.exists(full_tar_file_path):\n raise Exception('%s already exists, aborting.' % full_tar_file_path)\n tar_command = 'tar jpcfvC %s %s %s' % (full_tar_file_path,\n source_directory_path, './')\n call(tar_command, silent=silent)\n return full_tar_file_path\n",
"role": "user"
},
{
"content": "tarbz",
"role": "assistant"
}
] |
def x(source_file_path, output_directory_path, silent=False):
if not path.exists(source_file_path):
raise Exception('the provided tar file %s does not exist.' %
source_file_path)
if output_directory_path[0:1] == './':
output_directory_path = path.abspath(output_directory_path)
if output_directory_path[0] != '/':
raise Exception(
"your output directory path must start with '/' or './'; you used: %s"
% output_directory_path)
create_folders(output_directory_path)
if listdir(output_directory_path):
raise Exception("Your output directory isn't empty. Aborting as " +
'exiting files are not overwritten by tar.')
untar_command = 'tar jxfvkCp %s %s --atime-preserve ' % (source_file_path,
output_directory_path)
call(untar_command, silent=silent)
|
untarbz
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source_file_path, output_directory_path, silent=False):\n if not path.exists(source_file_path):\n raise Exception('the provided tar file %s does not exist.' %\n source_file_path)\n if output_directory_path[0:1] == './':\n output_directory_path = path.abspath(output_directory_path)\n if output_directory_path[0] != '/':\n raise Exception(\n \"your output directory path must start with '/' or './'; you used: %s\"\n % output_directory_path)\n create_folders(output_directory_path)\n if listdir(output_directory_path):\n raise Exception(\"Your output directory isn't empty. Aborting as \" +\n 'exiting files are not overwritten by tar.')\n untar_command = 'tar jxfvkCp %s %s --atime-preserve ' % (source_file_path,\n output_directory_path)\n call(untar_command, silent=silent)\n",
"role": "user"
},
{
"content": "untarbz",
"role": "assistant"
}
] |
def x(self, value, attribute):
for item in self[attribute]:
if value in item:
return True
return False
|
value_contains
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, attribute):\n for item in self[attribute]:\n if value in item:\n return True\n return False\n",
"role": "user"
},
{
"content": "value_contains",
"role": "assistant"
}
] |
def x(self, args=None):
if args is None:
self._search_defaults.clear()
else:
for arg in args:
if arg in self._search_defaults:
del self._search_defaults[arg]
|
clear_search_defaults
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args=None):\n if args is None:\n self._search_defaults.clear()\n else:\n for arg in args:\n if arg in self._search_defaults:\n del self._search_defaults[arg]\n",
"role": "user"
},
{
"content": "clear_search_defaults",
"role": "assistant"
}
] |
def x(self, filter, base_dn=None, attrs=None, scope=None, timeout=None,
limit=None):
if base_dn is None:
base_dn = self._search_defaults.get('base_dn', '')
if attrs is None:
attrs = self._search_defaults.get('attrs', None)
if scope is None:
scope = self._search_defaults.get('scope', ldap.SCOPE_SUBTREE)
if timeout is None:
timeout = self._search_defaults.get('timeout', -1)
if limit is None:
limit = self._search_defaults.get('limit', 0)
results = self.connection.search_ext_s(base_dn, scope, filter, attrs,
timeout=timeout, sizelimit=limit)
return self.to_items(results)
|
search
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filter, base_dn=None, attrs=None, scope=None, timeout=None,\n limit=None):\n if base_dn is None:\n base_dn = self._search_defaults.get('base_dn', '')\n if attrs is None:\n attrs = self._search_defaults.get('attrs', None)\n if scope is None:\n scope = self._search_defaults.get('scope', ldap.SCOPE_SUBTREE)\n if timeout is None:\n timeout = self._search_defaults.get('timeout', -1)\n if limit is None:\n limit = self._search_defaults.get('limit', 0)\n results = self.connection.search_ext_s(base_dn, scope, filter, attrs,\n timeout=timeout, sizelimit=limit)\n return self.to_items(results)\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
results = self.search(*args, **kwargs)
num_results = len(results)
if num_results == 1:
return results[0]
if num_results > 1:
raise MultipleObjectsFound()
raise ObjectNotFound()
|
get
|
[
{
"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 results = self.search(*args, **kwargs)\n num_results = len(results)\n if num_results == 1:\n return results[0]\n if num_results > 1:\n raise MultipleObjectsFound()\n raise ObjectNotFound()\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, dn='', password=''):
try:
self.connection.simple_bind_s(dn, password)
except tuple(self.failed_authentication_exceptions):
return False
else:
return True
|
authenticate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dn='', password=''):\n try:\n self.connection.simple_bind_s(dn, password)\n except tuple(self.failed_authentication_exceptions):\n return False\n else:\n return True\n",
"role": "user"
},
{
"content": "authenticate",
"role": "assistant"
}
] |
def x(self, dn, attr, value):
return self.connection.compare_s(dn, attr, value) == 1
|
compare
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dn, attr, value):\n return self.connection.compare_s(dn, attr, value) == 1\n",
"role": "user"
},
{
"content": "compare",
"role": "assistant"
}
] |
def x(key):
def x(obj):
try:
return getattr(obj, key)
except AttributeError:
return obj.tags.get(key)
return get_it
|
get_property_func
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key):\n\n def x(obj):\n try:\n return getattr(obj, key)\n except AttributeError:\n return obj.tags.get(key)\n return get_it\n",
"role": "user"
},
{
"content": "get_property_func",
"role": "assistant"
}
] |
def x(region, filter_by_kwargs):
conn = boto.ec2.cloudwatch.connect_to_region(region)
metrics = conn.list_metrics(metric_name='EstimatedCharges')
if filter_by_kwargs:
filter_key = filter_by_kwargs.keys()[0]
filter_value = filter_by_kwargs.values()[0]
if filter_value:
filtered_metrics = [x for x in metrics if x.dimensions.get(
filter_key) and x.dimensions.get(filter_key)[0] == filter_value
]
else:
filtered_metrics = [x for x in metrics if not x.dimensions.get(
filter_key)]
else:
filtered_metrics = metrics
return filtered_metrics
|
list_billing
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(region, filter_by_kwargs):\n conn = boto.ec2.cloudwatch.connect_to_region(region)\n metrics = conn.list_metrics(metric_name='EstimatedCharges')\n if filter_by_kwargs:\n filter_key = filter_by_kwargs.keys()[0]\n filter_value = filter_by_kwargs.values()[0]\n if filter_value:\n filtered_metrics = [x for x in metrics if x.dimensions.get(\n filter_key) and x.dimensions.get(filter_key)[0] == filter_value\n ]\n else:\n filtered_metrics = [x for x in metrics if not x.dimensions.get(\n filter_key)]\n else:\n filtered_metrics = metrics\n return filtered_metrics\n",
"role": "user"
},
{
"content": "list_billing",
"role": "assistant"
}
] |
def x(region, filter_by_kwargs):
conn = boto.connect_cloudfront()
instances = conn.get_all_distributions()
return lookup(instances, filter_by=filter_by_kwargs)
|
list_cloudfront
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(region, filter_by_kwargs):\n conn = boto.connect_cloudfront()\n instances = conn.get_all_distributions()\n return lookup(instances, filter_by=filter_by_kwargs)\n",
"role": "user"
},
{
"content": "list_cloudfront",
"role": "assistant"
}
] |
def x(region, filter_by_kwargs):
conn = boto.ec2.connect_to_region(region)
instances = conn.get_only_instances()
return lookup(instances, filter_by=filter_by_kwargs)
|
list_ec2
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(region, filter_by_kwargs):\n conn = boto.ec2.connect_to_region(region)\n instances = conn.get_only_instances()\n return lookup(instances, filter_by=filter_by_kwargs)\n",
"role": "user"
},
{
"content": "list_ec2",
"role": "assistant"
}
] |
def x(region, filter_by_kwargs):
conn = boto.ec2.connect_to_region(region)
instances = conn.get_all_volumes()
return lookup(instances, filter_by=filter_by_kwargs)
|
list_ebs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(region, filter_by_kwargs):\n conn = boto.ec2.connect_to_region(region)\n instances = conn.get_all_volumes()\n return lookup(instances, filter_by=filter_by_kwargs)\n",
"role": "user"
},
{
"content": "list_ebs",
"role": "assistant"
}
] |
def x(region, filter_by_kwargs):
conn = boto.ec2.elb.connect_to_region(region)
instances = conn.get_all_load_balancers()
return lookup(instances, filter_by=filter_by_kwargs)
|
list_elb
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(region, filter_by_kwargs):\n conn = boto.ec2.elb.connect_to_region(region)\n instances = conn.get_all_load_balancers()\n return lookup(instances, filter_by=filter_by_kwargs)\n",
"role": "user"
},
{
"content": "list_elb",
"role": "assistant"
}
] |
def x(region, filter_by_kwargs):
conn = boto.rds.connect_to_region(region)
instances = conn.get_all_dbinstances()
return lookup(instances, filter_by=filter_by_kwargs)
|
list_rds
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(region, filter_by_kwargs):\n conn = boto.rds.connect_to_region(region)\n instances = conn.get_all_dbinstances()\n return lookup(instances, filter_by=filter_by_kwargs)\n",
"role": "user"
},
{
"content": "list_rds",
"role": "assistant"
}
] |
def x(region, filter_by_kwargs):
conn = boto.elasticache.connect_to_region(region)
req = conn.describe_cache_clusters()
data = req['DescribeCacheClustersResponse']['DescribeCacheClustersResult'][
'CacheClusters']
if filter_by_kwargs:
clusters = [x['CacheClusterId'] for x in data if x[filter_by_kwargs
.keys()[0]] == filter_by_kwargs.values()[0]]
else:
clusters = [x['CacheClusterId'] for x in data]
return clusters
|
list_elasticache
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(region, filter_by_kwargs):\n conn = boto.elasticache.connect_to_region(region)\n req = conn.describe_cache_clusters()\n data = req['DescribeCacheClustersResponse']['DescribeCacheClustersResult'][\n 'CacheClusters']\n if filter_by_kwargs:\n clusters = [x['CacheClusterId'] for x in data if x[filter_by_kwargs\n .keys()[0]] == filter_by_kwargs.values()[0]]\n else:\n clusters = [x['CacheClusterId'] for x in data]\n return clusters\n",
"role": "user"
},
{
"content": "list_elasticache",
"role": "assistant"
}
] |
def x(region, filter_by_kwargs):
conn = boto.ec2.autoscale.connect_to_region(region)
groups = conn.get_all_groups()
return lookup(groups, filter_by=filter_by_kwargs)
|
list_autoscaling_group
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(region, filter_by_kwargs):\n conn = boto.ec2.autoscale.connect_to_region(region)\n groups = conn.get_all_groups()\n return lookup(groups, filter_by=filter_by_kwargs)\n",
"role": "user"
},
{
"content": "list_autoscaling_group",
"role": "assistant"
}
] |
def x(region, filter_by_kwargs):
conn = boto.sqs.connect_to_region(region)
queues = conn.get_all_queues()
return lookup(queues, filter_by=filter_by_kwargs)
|
list_sqs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(region, filter_by_kwargs):\n conn = boto.sqs.connect_to_region(region)\n queues = conn.get_all_queues()\n return lookup(queues, filter_by=filter_by_kwargs)\n",
"role": "user"
},
{
"content": "list_sqs",
"role": "assistant"
}
] |
def x(region, filter_by_kwargs):
conn = boto.kinesis.connect_to_region(region)
streams = conn.list_streams()['StreamNames']
kinesis_streams = {}
for stream_name in streams:
shard_ids = []
shards = conn.describe_stream(stream_name)['StreamDescription'][
'Shards']
for shard in shards:
shard_ids.append(shard['ShardId'])
kinesis_streams[stream_name] = shard_ids
return kinesis_streams
|
list_kinesis_applications
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(region, filter_by_kwargs):\n conn = boto.kinesis.connect_to_region(region)\n streams = conn.list_streams()['StreamNames']\n kinesis_streams = {}\n for stream_name in streams:\n shard_ids = []\n shards = conn.describe_stream(stream_name)['StreamDescription'][\n 'Shards']\n for shard in shards:\n shard_ids.append(shard['ShardId'])\n kinesis_streams[stream_name] = shard_ids\n return kinesis_streams\n",
"role": "user"
},
{
"content": "list_kinesis_applications",
"role": "assistant"
}
] |
def x(region, filter_by_kwargs):
conn = boto.dynamodb.connect_to_region(region)
tables = conn.list_tables()
return lookup(tables, filter_by=filter_by_kwargs)
|
list_dynamodb
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(region, filter_by_kwargs):\n conn = boto.dynamodb.connect_to_region(region)\n tables = conn.list_tables()\n return lookup(tables, filter_by=filter_by_kwargs)\n",
"role": "user"
},
{
"content": "list_dynamodb",
"role": "assistant"
}
] |
def x(self, callback_id: str, handler: Any, name: str='*') ->None:
LOG.info('Registering %s, %s to %s', callback_id, name, handler)
if name not in self._routes[callback_id]:
self._routes[callback_id][name] = []
self._routes[callback_id][name].append(handler)
|
register
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback_id: str, handler: Any, name: str='*') ->None:\n LOG.info('Registering %s, %s to %s', callback_id, name, handler)\n if name not in self._routes[callback_id]:\n self._routes[callback_id][name] = []\n self._routes[callback_id][name].append(handler)\n",
"role": "user"
},
{
"content": "register",
"role": "assistant"
}
] |
def x(self, action: Action) ->Any:
LOG.debug('Dispatching action %s, %s', action['type'], action[
'callback_id'])
if action['type'] == 'interactive_message':
yield from self._dispatch_interactive_message(action)
elif action['type'] in ('dialog_submission', 'message_action'):
yield from self._dispatch_action(action)
else:
raise UnknownActionType(action)
|
dispatch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, action: Action) ->Any:\n LOG.debug('Dispatching action %s, %s', action['type'], action[\n 'callback_id'])\n if action['type'] == 'interactive_message':\n yield from self._dispatch_interactive_message(action)\n elif action['type'] in ('dialog_submission', 'message_action'):\n yield from self._dispatch_action(action)\n else:\n raise UnknownActionType(action)\n",
"role": "user"
},
{
"content": "dispatch",
"role": "assistant"
}
] |
def x(api):
global USED_API
assert USED_API is None, 'committoapi called again!'
check = ['PyQt4', 'PyQt5', 'PySide', 'PySide2']
assert api in [QT_API_PYQT5, QT_API_PYQT4, QT_API_PYSIDE, QT_API_PYSIDE2]
for name in check:
if name.lower() != api and name in sys.modules:
raise RuntimeError('{} was already imported. Cannot commit to {}!'
.format(name, api))
else:
api = _intern(api)
USED_API = api
AnyQt.__SELECTED_API = api
AnyQt.USED_API = api
|
comittoapi
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(api):\n global USED_API\n assert USED_API is None, 'committoapi called again!'\n check = ['PyQt4', 'PyQt5', 'PySide', 'PySide2']\n assert api in [QT_API_PYQT5, QT_API_PYQT4, QT_API_PYSIDE, QT_API_PYSIDE2]\n for name in check:\n if name.lower() != api and name in sys.modules:\n raise RuntimeError('{} was already imported. Cannot commit to {}!'\n .format(name, api))\n else:\n api = _intern(api)\n USED_API = api\n AnyQt.__SELECTED_API = api\n AnyQt.USED_API = api\n",
"role": "user"
},
{
"content": "comittoapi",
"role": "assistant"
}
] |
def x(dist):
if not dist.has_metadata('PKG-INFO'):
return
msg = email.message_from_string(dist.get_metadata('PKG-INFO'))
metadata = {}
for header in [l for l in msg._headers]:
metadata[header[0]] = header[1]
return metadata
|
get_metadata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dist):\n if not dist.has_metadata('PKG-INFO'):\n return\n msg = email.message_from_string(dist.get_metadata('PKG-INFO'))\n metadata = {}\n for header in [l for l in msg._headers]:\n metadata[header[0]] = header[1]\n return metadata\n",
"role": "user"
},
{
"content": "get_metadata",
"role": "assistant"
}
] |
def x(self, parser):
parser.add_option('--with-%s' % self.name, action='store_true', dest=
self.enable_opt, help='Enable plugin %s: %s' % (self.__class__.
__name__, self.help()))
|
add_options
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parser):\n parser.add_option('--with-%s' % self.name, action='store_true', dest=\n self.enable_opt, help='Enable plugin %s: %s' % (self.__class__.\n __name__, self.help()))\n",
"role": "user"
},
{
"content": "add_options",
"role": "assistant"
}
] |
def x(self, options, conf):
self.conf = conf
if hasattr(options, self.enable_opt):
self.enabled = getattr(options, self.enable_opt)
|
configure
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, options, conf):\n self.conf = conf\n if hasattr(options, self.enable_opt):\n self.enabled = getattr(options, self.enable_opt)\n",
"role": "user"
},
{
"content": "configure",
"role": "assistant"
}
] |
def x(self):
if self.__class__.__doc__:
return textwrap.dedent(self.__class__.__doc__)
return '(no help available)'
|
help
|
[
{
"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.__class__.__doc__:\n return textwrap.dedent(self.__class__.__doc__)\n return '(no help available)'\n",
"role": "user"
},
{
"content": "help",
"role": "assistant"
}
] |
def x(status: int, headers: MutableMapping, data: MutableMapping) ->None:
if status != 200:
if status == 429:
if isinstance(data, str):
error = data
else:
error = data.get('error', 'ratelimited')
try:
retry_after = int(headers.get('Retry-After', 1))
except ValueError:
retry_after = 1
raise exceptions.RateLimited(retry_after, error, status,
headers, data)
else:
raise exceptions.HTTPException(status, headers, data)
|
raise_for_status
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(status: int, headers: MutableMapping, data: MutableMapping) ->None:\n if status != 200:\n if status == 429:\n if isinstance(data, str):\n error = data\n else:\n error = data.get('error', 'ratelimited')\n try:\n retry_after = int(headers.get('Retry-After', 1))\n except ValueError:\n retry_after = 1\n raise exceptions.RateLimited(retry_after, error, status,\n headers, data)\n else:\n raise exceptions.HTTPException(status, headers, data)\n",
"role": "user"
},
{
"content": "raise_for_status",
"role": "assistant"
}
] |
def x(headers: MutableMapping, data: MutableMapping) ->None:
if not data['ok']:
raise exceptions.SlackAPIError(data.get('error', 'unknow_error'),
headers, data)
if 'warning' in data:
LOG.warning('Slack API WARNING: %s', data['warning'])
|
raise_for_api_error
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(headers: MutableMapping, data: MutableMapping) ->None:\n if not data['ok']:\n raise exceptions.SlackAPIError(data.get('error', 'unknow_error'),\n headers, data)\n if 'warning' in data:\n LOG.warning('Slack API WARNING: %s', data['warning'])\n",
"role": "user"
},
{
"content": "raise_for_api_error",
"role": "assistant"
}
] |
def x(headers: MutableMapping, body: bytes) ->dict:
type_, encoding = parse_content_type(headers)
decoded_body = body.decode(encoding)
if type_ == 'application/json':
payload = json.loads(decoded_body)
elif decoded_body == 'ok':
payload = {'ok': True}
else:
payload = {'ok': False, 'data': decoded_body}
return payload
|
decode_body
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(headers: MutableMapping, body: bytes) ->dict:\n type_, encoding = parse_content_type(headers)\n decoded_body = body.decode(encoding)\n if type_ == 'application/json':\n payload = json.loads(decoded_body)\n elif decoded_body == 'ok':\n payload = {'ok': True}\n else:\n payload = {'ok': False, 'data': decoded_body}\n return payload\n",
"role": "user"
},
{
"content": "decode_body",
"role": "assistant"
}
] |
def x(headers: MutableMapping) ->Tuple[Optional[str], str]:
content_type = headers.get('content-type')
if not content_type:
return None, 'utf-8'
else:
type_, parameters = cgi.parse_header(content_type)
encoding = parameters.get('charset', 'utf-8')
return type_, encoding
|
parse_content_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(headers: MutableMapping) ->Tuple[Optional[str], str]:\n content_type = headers.get('content-type')\n if not content_type:\n return None, 'utf-8'\n else:\n type_, parameters = cgi.parse_header(content_type)\n encoding = parameters.get('charset', 'utf-8')\n return type_, encoding\n",
"role": "user"
},
{
"content": "parse_content_type",
"role": "assistant"
}
] |
def x(url: Union[str, methods], data: Optional[MutableMapping], headers:
Optional[MutableMapping], global_headers: MutableMapping, token: str,
as_json: Optional[bool]=None) ->Tuple[str, Union[str, MutableMapping],
MutableMapping]:
if isinstance(url, methods):
as_json = as_json or url.value[3]
real_url = url.value[0]
else:
real_url = url
as_json = False
if not headers:
headers = {**global_headers}
else:
headers = {**global_headers, **headers}
payload: Optional[Union[str, MutableMapping]] = None
if real_url.startswith(HOOK_URL) or real_url.startswith(ROOT_URL
) and as_json:
payload, headers = _prepare_json_request(data, token, headers)
elif real_url.startswith(ROOT_URL) and not as_json:
payload = _prepare_form_encoded_request(data, token)
else:
real_url = ROOT_URL + real_url
payload = _prepare_form_encoded_request(data, token)
return real_url, payload, headers
|
prepare_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url: Union[str, methods], data: Optional[MutableMapping], headers:\n Optional[MutableMapping], global_headers: MutableMapping, token: str,\n as_json: Optional[bool]=None) ->Tuple[str, Union[str, MutableMapping],\n MutableMapping]:\n if isinstance(url, methods):\n as_json = as_json or url.value[3]\n real_url = url.value[0]\n else:\n real_url = url\n as_json = False\n if not headers:\n headers = {**global_headers}\n else:\n headers = {**global_headers, **headers}\n payload: Optional[Union[str, MutableMapping]] = None\n if real_url.startswith(HOOK_URL) or real_url.startswith(ROOT_URL\n ) and as_json:\n payload, headers = _prepare_json_request(data, token, headers)\n elif real_url.startswith(ROOT_URL) and not as_json:\n payload = _prepare_form_encoded_request(data, token)\n else:\n real_url = ROOT_URL + real_url\n payload = _prepare_form_encoded_request(data, token)\n return real_url, payload, headers\n",
"role": "user"
},
{
"content": "prepare_request",
"role": "assistant"
}
] |
def x(status: int, headers: MutableMapping, body: bytes) ->dict:
data = decode_body(headers, body)
raise_for_status(status, headers, data)
raise_for_api_error(headers, data)
return data
|
decode_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(status: int, headers: MutableMapping, body: bytes) ->dict:\n data = decode_body(headers, body)\n raise_for_status(status, headers, data)\n raise_for_api_error(headers, data)\n return data\n",
"role": "user"
},
{
"content": "decode_response",
"role": "assistant"
}
] |
def x(url: Union[methods, str], itermode: Optional[str]=None, iterkey:
Optional[str]=None) ->Tuple[str, str]:
if isinstance(url, methods):
if not itermode:
itermode = url.value[1]
if not iterkey:
iterkey = url.value[2]
if not iterkey or not itermode:
raise ValueError('Iteration not supported for: {}'.format(url))
elif itermode not in ITERMODE:
raise ValueError('Iteration not supported for: {}'.format(itermode))
return itermode, iterkey
|
find_iteration
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url: Union[methods, str], itermode: Optional[str]=None, iterkey:\n Optional[str]=None) ->Tuple[str, str]:\n if isinstance(url, methods):\n if not itermode:\n itermode = url.value[1]\n if not iterkey:\n iterkey = url.value[2]\n if not iterkey or not itermode:\n raise ValueError('Iteration not supported for: {}'.format(url))\n elif itermode not in ITERMODE:\n raise ValueError('Iteration not supported for: {}'.format(itermode))\n return itermode, iterkey\n",
"role": "user"
},
{
"content": "find_iteration",
"role": "assistant"
}
] |
def x(url: Union[methods, str], data: MutableMapping, *, iterkey: Optional[
str]=None, itermode: Optional[str]=None, limit: int=200, itervalue:
Optional[Union[str, int]]=None) ->Tuple[MutableMapping, str, str]:
itermode, iterkey = find_iteration(url, itermode, iterkey)
if itermode == 'cursor':
data['limit'] = limit
if itervalue:
data['cursor'] = itervalue
elif itermode == 'page':
data['count'] = limit
if itervalue:
data['page'] = itervalue
elif itermode == 'timeline':
data['count'] = limit
if itervalue:
data['latest'] = itervalue
return data, iterkey, itermode
|
prepare_iter_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url: Union[methods, str], data: MutableMapping, *, iterkey: Optional[\n str]=None, itermode: Optional[str]=None, limit: int=200, itervalue:\n Optional[Union[str, int]]=None) ->Tuple[MutableMapping, str, str]:\n itermode, iterkey = find_iteration(url, itermode, iterkey)\n if itermode == 'cursor':\n data['limit'] = limit\n if itervalue:\n data['cursor'] = itervalue\n elif itermode == 'page':\n data['count'] = limit\n if itervalue:\n data['page'] = itervalue\n elif itermode == 'timeline':\n data['count'] = limit\n if itervalue:\n data['latest'] = itervalue\n return data, iterkey, itermode\n",
"role": "user"
},
{
"content": "prepare_iter_request",
"role": "assistant"
}
] |
def x(data: dict) ->Optional[Union[str, int]]:
if 'response_metadata' in data:
return data['response_metadata'].get('next_cursor')
elif 'paging' in data:
current_page = int(data['paging'].get('page', 1))
max_page = int(data['paging'].get('pages', 1))
if current_page < max_page:
return current_page + 1
elif 'has_more' in data and data['has_more'] and 'latest' in data:
return data['messages'][-1]['ts']
return None
|
decode_iter_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data: dict) ->Optional[Union[str, int]]:\n if 'response_metadata' in data:\n return data['response_metadata'].get('next_cursor')\n elif 'paging' in data:\n current_page = int(data['paging'].get('page', 1))\n max_page = int(data['paging'].get('pages', 1))\n if current_page < max_page:\n return current_page + 1\n elif 'has_more' in data and data['has_more'] and 'latest' in data:\n return data['messages'][-1]['ts']\n return None\n",
"role": "user"
},
{
"content": "decode_iter_request",
"role": "assistant"
}
] |
def x(event: events.Event, bot_id: str=None) ->bool:
if event['type'] in SKIP_EVENTS:
return True
elif bot_id and isinstance(event, events.Message):
if event.get('bot_id') == bot_id:
LOG.debug('Ignoring event: %s', event)
return True
elif 'message' in event and event['message'].get('bot_id') == bot_id:
LOG.debug('Ignoring event: %s', event)
return True
return False
|
discard_event
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(event: events.Event, bot_id: str=None) ->bool:\n if event['type'] in SKIP_EVENTS:\n return True\n elif bot_id and isinstance(event, events.Message):\n if event.get('bot_id') == bot_id:\n LOG.debug('Ignoring event: %s', event)\n return True\n elif 'message' in event and event['message'].get('bot_id') == bot_id:\n LOG.debug('Ignoring event: %s', event)\n return True\n return False\n",
"role": "user"
},
{
"content": "discard_event",
"role": "assistant"
}
] |
def x(body: str, headers: MutableMapping, signing_secret: str) ->None:
request_timestamp = int(headers['X-Slack-Request-Timestamp'])
if int(time.time()) - request_timestamp > 60 * 5:
raise exceptions.InvalidTimestamp(timestamp=request_timestamp)
slack_signature = headers['X-Slack-Signature']
calculated_signature = 'v0=' + hmac.new(signing_secret.encode('utf-8'),
f"v0:{headers['X-Slack-Request-Timestamp']}:{body}".encode('utf-8'),
digestmod=hashlib.sha256).hexdigest()
if not hmac.compare_digest(slack_signature, calculated_signature):
raise exceptions.InvalidSlackSignature(slack_signature,
calculated_signature)
|
validate_request_signature
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(body: str, headers: MutableMapping, signing_secret: str) ->None:\n request_timestamp = int(headers['X-Slack-Request-Timestamp'])\n if int(time.time()) - request_timestamp > 60 * 5:\n raise exceptions.InvalidTimestamp(timestamp=request_timestamp)\n slack_signature = headers['X-Slack-Signature']\n calculated_signature = 'v0=' + hmac.new(signing_secret.encode('utf-8'),\n f\"v0:{headers['X-Slack-Request-Timestamp']}:{body}\".encode('utf-8'),\n digestmod=hashlib.sha256).hexdigest()\n if not hmac.compare_digest(slack_signature, calculated_signature):\n raise exceptions.InvalidSlackSignature(slack_signature,\n calculated_signature)\n",
"role": "user"
},
{
"content": "validate_request_signature",
"role": "assistant"
}
] |
def x(mongo_username, mongo_password, local_backup_directory_path, database
=None, attached_directory_path=None, custom_prefix='backup',
mongo_backup_directory_path='/tmp/mongo_dump', s3_bucket=None,
s3_access_key_id=None, s3_secret_key=None, purge_local=None,
purge_attached=None, cleanup=True, silent=False):
if attached_directory_path:
if not path.exists(attached_directory_path):
raise Exception(
'ERROR. Would have to create %s for your attached storage, make sure that file paths already exist and re-run'
% attached_directory_path)
full_file_name_path = (local_backup_directory_path + custom_prefix +
time_string())
mongodump(mongo_username, mongo_password, mongo_backup_directory_path,
database, silent=silent)
local_backup_file = tarbz(mongo_backup_directory_path,
full_file_name_path, silent=silent)
if attached_directory_path:
copy(local_backup_file, attached_directory_path + local_backup_file
.split('/')[-1])
if s3_bucket:
s3_upload(local_backup_file, s3_bucket, s3_access_key_id, s3_secret_key
)
if purge_local:
purge_date = datetime.utcnow().replace(second=0, microsecond=0
) - timedelta(days=purge_local)
purge_old_files(purge_date, local_backup_directory_path,
custom_prefix=custom_prefix)
if purge_attached and attached_directory_path:
purge_date = datetime.utcnow().replace(second=0, microsecond=0
) - timedelta(days=purge_attached)
purge_old_files(purge_date, attached_directory_path, custom_prefix=
custom_prefix)
if cleanup:
rmtree(mongo_backup_directory_path)
|
backup
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mongo_username, mongo_password, local_backup_directory_path, database\n =None, attached_directory_path=None, custom_prefix='backup',\n mongo_backup_directory_path='/tmp/mongo_dump', s3_bucket=None,\n s3_access_key_id=None, s3_secret_key=None, purge_local=None,\n purge_attached=None, cleanup=True, silent=False):\n if attached_directory_path:\n if not path.exists(attached_directory_path):\n raise Exception(\n 'ERROR. Would have to create %s for your attached storage, make sure that file paths already exist and re-run'\n % attached_directory_path)\n full_file_name_path = (local_backup_directory_path + custom_prefix +\n time_string())\n mongodump(mongo_username, mongo_password, mongo_backup_directory_path,\n database, silent=silent)\n local_backup_file = tarbz(mongo_backup_directory_path,\n full_file_name_path, silent=silent)\n if attached_directory_path:\n copy(local_backup_file, attached_directory_path + local_backup_file\n .split('/')[-1])\n if s3_bucket:\n s3_upload(local_backup_file, s3_bucket, s3_access_key_id, s3_secret_key\n )\n if purge_local:\n purge_date = datetime.utcnow().replace(second=0, microsecond=0\n ) - timedelta(days=purge_local)\n purge_old_files(purge_date, local_backup_directory_path,\n custom_prefix=custom_prefix)\n if purge_attached and attached_directory_path:\n purge_date = datetime.utcnow().replace(second=0, microsecond=0\n ) - timedelta(days=purge_attached)\n purge_old_files(purge_date, attached_directory_path, custom_prefix=\n custom_prefix)\n if cleanup:\n rmtree(mongo_backup_directory_path)\n",
"role": "user"
},
{
"content": "backup",
"role": "assistant"
}
] |
def x(mongo_user, mongo_password, backup_tbz_path,
backup_directory_output_path='/tmp/mongo_dump', drop_database=False,
cleanup=True, silent=False, skip_system_and_user_files=False):
if not path.exists(backup_tbz_path):
raise Exception('the provided tar file %s does not exist.' %
backup_tbz_path)
untarbz(backup_tbz_path, backup_directory_output_path, silent=silent)
if skip_system_and_user_files:
system_and_users_path = '%s/admin' % backup_directory_output_path
if path.exists(system_and_users_path):
rmtree(system_and_users_path)
mongorestore(mongo_user, mongo_password, backup_directory_output_path,
drop_database=drop_database, silent=silent)
if cleanup:
rmtree(backup_directory_output_path)
|
restore
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mongo_user, mongo_password, backup_tbz_path,\n backup_directory_output_path='/tmp/mongo_dump', drop_database=False,\n cleanup=True, silent=False, skip_system_and_user_files=False):\n if not path.exists(backup_tbz_path):\n raise Exception('the provided tar file %s does not exist.' %\n backup_tbz_path)\n untarbz(backup_tbz_path, backup_directory_output_path, silent=silent)\n if skip_system_and_user_files:\n system_and_users_path = '%s/admin' % backup_directory_output_path\n if path.exists(system_and_users_path):\n rmtree(system_and_users_path)\n mongorestore(mongo_user, mongo_password, backup_directory_output_path,\n drop_database=drop_database, silent=silent)\n if cleanup:\n rmtree(backup_directory_output_path)\n",
"role": "user"
},
{
"content": "restore",
"role": "assistant"
}
] |
def x(mongo_user, mongo_password, mongo_dump_directory_path, database=None,
silent=False):
if path.exists(mongo_dump_directory_path):
rmtree(mongo_dump_directory_path)
if silent:
dump_command = 'mongodump --quiet -u %s -p %s -o %s' % (mongo_user,
mongo_password, mongo_dump_directory_path)
else:
dump_command = 'mongodump -u %s -p %s -o %s' % (mongo_user,
mongo_password, mongo_dump_directory_path)
if database:
dump_command += ' --db %s' % database
call(dump_command, silent=silent)
|
mongodump
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mongo_user, mongo_password, mongo_dump_directory_path, database=None,\n silent=False):\n if path.exists(mongo_dump_directory_path):\n rmtree(mongo_dump_directory_path)\n if silent:\n dump_command = 'mongodump --quiet -u %s -p %s -o %s' % (mongo_user,\n mongo_password, mongo_dump_directory_path)\n else:\n dump_command = 'mongodump -u %s -p %s -o %s' % (mongo_user,\n mongo_password, mongo_dump_directory_path)\n if database:\n dump_command += ' --db %s' % database\n call(dump_command, silent=silent)\n",
"role": "user"
},
{
"content": "mongodump",
"role": "assistant"
}
] |
def x(mongo_user, mongo_password, backup_directory_path, drop_database=
False, silent=False):
if not path.exists(backup_directory_path):
raise Exception('the provided tar directory %s does not exist.' %
backup_directory_path)
if silent:
mongorestore_command = 'mongorestore --quiet -u %s -p %s %s' % (
mongo_user, mongo_password, backup_directory_path)
else:
mongorestore_command = 'mongorestore -v -u %s -p %s %s' % (mongo_user,
mongo_password, backup_directory_path)
if drop_database:
mongorestore_command = mongorestore_command + ' --drop'
call(mongorestore_command, silent=silent)
|
mongorestore
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mongo_user, mongo_password, backup_directory_path, drop_database=\n False, silent=False):\n if not path.exists(backup_directory_path):\n raise Exception('the provided tar directory %s does not exist.' %\n backup_directory_path)\n if silent:\n mongorestore_command = 'mongorestore --quiet -u %s -p %s %s' % (\n mongo_user, mongo_password, backup_directory_path)\n else:\n mongorestore_command = 'mongorestore -v -u %s -p %s %s' % (mongo_user,\n mongo_password, backup_directory_path)\n if drop_database:\n mongorestore_command = mongorestore_command + ' --drop'\n call(mongorestore_command, silent=silent)\n",
"role": "user"
},
{
"content": "mongorestore",
"role": "assistant"
}
] |
def x(file_name, custom_prefix='backup'):
name_string = file_name[len(custom_prefix):]
time_tag = name_string.split('.', 1)[0]
return datetime.strptime(time_tag, DATETIME_FORMAT)
|
get_backup_file_time_tag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_name, custom_prefix='backup'):\n name_string = file_name[len(custom_prefix):]\n time_tag = name_string.split('.', 1)[0]\n return datetime.strptime(time_tag, DATETIME_FORMAT)\n",
"role": "user"
},
{
"content": "get_backup_file_time_tag",
"role": "assistant"
}
] |
def x(date_time, directory_path, custom_prefix='backup'):
for file_name in listdir(directory_path):
try:
file_date_time = get_backup_file_time_tag(file_name,
custom_prefix=custom_prefix)
except ValueError as e:
if 'does not match format' in e.message:
print(
'WARNING. file(s) in %s do not match naming convention.' %
directory_path)
continue
raise e
if file_date_time < date_time:
remove(directory_path + file_name)
|
purge_old_files
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date_time, directory_path, custom_prefix='backup'):\n for file_name in listdir(directory_path):\n try:\n file_date_time = get_backup_file_time_tag(file_name,\n custom_prefix=custom_prefix)\n except ValueError as e:\n if 'does not match format' in e.message:\n print(\n 'WARNING. file(s) in %s do not match naming convention.' %\n directory_path)\n continue\n raise e\n if file_date_time < date_time:\n remove(directory_path + file_name)\n",
"role": "user"
},
{
"content": "purge_old_files",
"role": "assistant"
}
] |
def x(package_name, version, source, index_url=None):
tmpdir = None
force_scan = True
develop_ok = False
if not index_url:
index_url = 'http://cheeseshop.python.org/pypi'
if version:
pkg_spec = '%s==%s' % (package_name, version)
else:
pkg_spec = package_name
req = pkg_resources.Requirement.parse(pkg_spec)
pkg_index = MyPackageIndex(index_url)
try:
pkg_index.fetch_distribution(req, tmpdir, force_scan, source,
develop_ok)
except DownloadURI as url:
clean_url = url.value.split('#')[0]
if not source and not clean_url.endswith('.egg'
) and not clean_url.endswith('.EGG'):
return
else:
return clean_url
|
get_download_uri
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(package_name, version, source, index_url=None):\n tmpdir = None\n force_scan = True\n develop_ok = False\n if not index_url:\n index_url = 'http://cheeseshop.python.org/pypi'\n if version:\n pkg_spec = '%s==%s' % (package_name, version)\n else:\n pkg_spec = package_name\n req = pkg_resources.Requirement.parse(pkg_spec)\n pkg_index = MyPackageIndex(index_url)\n try:\n pkg_index.fetch_distribution(req, tmpdir, force_scan, source,\n develop_ok)\n except DownloadURI as url:\n clean_url = url.value.split('#')[0]\n if not source and not clean_url.endswith('.egg'\n ) and not clean_url.endswith('.EGG'):\n return\n else:\n return clean_url\n",
"role": "user"
},
{
"content": "get_download_uri",
"role": "assistant"
}
] |
def x():
dists = Distributions()
projects = []
for dist, _active in dists.get_distributions('all'):
if dist.project_name not in projects:
projects.append(dist.project_name)
return projects
|
get_pkglist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n dists = Distributions()\n projects = []\n for dist, _active in dists.get_distributions('all'):\n if dist.project_name not in projects:\n projects.append(dist.project_name)\n return projects\n",
"role": "user"
},
{
"content": "get_pkglist",
"role": "assistant"
}
] |
def x(self, command: str, handler: Any):
if not command.startswith('/'):
command = f'/{command}'
LOG.info('Registering %s to %s', command, handler)
self._routes[command].append(handler)
|
register
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command: str, handler: Any):\n if not command.startswith('/'):\n command = f'/{command}'\n LOG.info('Registering %s to %s', command, handler)\n self._routes[command].append(handler)\n",
"role": "user"
},
{
"content": "register",
"role": "assistant"
}
] |
def x(self, command: Command) ->Iterator[Any]:
LOG.debug('Dispatching command %s', command['command'])
for callback in self._routes[command['command']]:
yield callback
|
dispatch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command: Command) ->Iterator[Any]:\n LOG.debug('Dispatching command %s', command['command'])\n for callback in self._routes[command['command']]:\n yield callback\n",
"role": "user"
},
{
"content": "dispatch",
"role": "assistant"
}
] |
def x(api):
global __PREFERRED_API
if __SELECTED_API is not None:
raise RuntimeError('A Qt api {} was already selected'.format(
__SELECTED_API))
if api.lower() not in {'pyqt4', 'pyqt5', 'pyside', 'pyside2'}:
raise ValueError(api)
__PREFERRED_API = api.lower()
|
setpreferredapi
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(api):\n global __PREFERRED_API\n if __SELECTED_API is not None:\n raise RuntimeError('A Qt api {} was already selected'.format(\n __SELECTED_API))\n if api.lower() not in {'pyqt4', 'pyqt5', 'pyside', 'pyside2'}:\n raise ValueError(api)\n __PREFERRED_API = api.lower()\n",
"role": "user"
},
{
"content": "setpreferredapi",
"role": "assistant"
}
] |
def x(api):
global __SELECTED_API, USED_API
if api.lower() not in {'pyqt4', 'pyqt5', 'pyside', 'pyside2'}:
raise ValueError(api)
if __SELECTED_API is not None and __SELECTED_API.lower() != api.lower():
raise RuntimeError('A Qt API {} was already selected'.format(
__SELECTED_API))
elif __SELECTED_API is None:
__SELECTED_API = api.lower()
from . import _api
USED_API = _api.USED_API
|
selectapi
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(api):\n global __SELECTED_API, USED_API\n if api.lower() not in {'pyqt4', 'pyqt5', 'pyside', 'pyside2'}:\n raise ValueError(api)\n if __SELECTED_API is not None and __SELECTED_API.lower() != api.lower():\n raise RuntimeError('A Qt API {} was already selected'.format(\n __SELECTED_API))\n elif __SELECTED_API is None:\n __SELECTED_API = api.lower()\n from . import _api\n USED_API = _api.USED_API\n",
"role": "user"
},
{
"content": "selectapi",
"role": "assistant"
}
] |
def x(versions):
sorted_versions = []
for ver in versions:
sorted_versions.append((pkg_resources.parse_version(ver), ver))
sorted_versions = sorted(sorted_versions)
sorted_versions.reverse()
return sorted_versions[0][1]
|
get_highest_version
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(versions):\n sorted_versions = []\n for ver in versions:\n sorted_versions.append((pkg_resources.parse_version(ver), ver))\n sorted_versions = sorted(sorted_versions)\n sorted_versions.reverse()\n return sorted_versions[0][1]\n",
"role": "user"
},
{
"content": "get_highest_version",
"role": "assistant"
}
] |
def x(self, show, pkg_name='', version=''):
for name, dist in self.get_alpha(show, pkg_name, version):
ver = dist.version
for package in self.environment[dist.project_name]:
if ver == package.version:
if show == 'nonactive' and dist not in self.working_set:
yield dist, self.query_activated(dist)
elif show == 'active' and dist in self.working_set:
yield dist, self.query_activated(dist)
elif show == 'all':
yield dist, self.query_activated(dist)
|
get_distributions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, show, pkg_name='', version=''):\n for name, dist in self.get_alpha(show, pkg_name, version):\n ver = dist.version\n for package in self.environment[dist.project_name]:\n if ver == package.version:\n if show == 'nonactive' and dist not in self.working_set:\n yield dist, self.query_activated(dist)\n elif show == 'active' and dist in self.working_set:\n yield dist, self.query_activated(dist)\n elif show == 'all':\n yield dist, self.query_activated(dist)\n",
"role": "user"
},
{
"content": "get_distributions",
"role": "assistant"
}
] |
def x(self, show, pkg_name='', version=''):
alpha_list = []
for dist in self.get_packages(show):
if pkg_name and dist.project_name != pkg_name:
pass
elif version and dist.version != version:
pass
else:
alpha_list.append((dist.project_name + dist.version, dist))
alpha_list.sort()
return alpha_list
|
get_alpha
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, show, pkg_name='', version=''):\n alpha_list = []\n for dist in self.get_packages(show):\n if pkg_name and dist.project_name != pkg_name:\n pass\n elif version and dist.version != version:\n pass\n else:\n alpha_list.append((dist.project_name + dist.version, dist))\n alpha_list.sort()\n return alpha_list\n",
"role": "user"
},
{
"content": "get_alpha",
"role": "assistant"
}
] |
def x(self, show):
if show == 'nonactive' or show == 'all':
all_packages = []
for package in self.environment:
for i in range(len(self.environment[package])):
if self.environment[package][i]:
all_packages.append(self.environment[package][i])
return all_packages
else:
return self.working_set
|
get_packages
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, show):\n if show == 'nonactive' or show == 'all':\n all_packages = []\n for package in self.environment:\n for i in range(len(self.environment[package])):\n if self.environment[package][i]:\n all_packages.append(self.environment[package][i])\n return all_packages\n else:\n return self.working_set\n",
"role": "user"
},
{
"content": "get_packages",
"role": "assistant"
}
] |
def x(self, package_name):
if len(self.environment[package_name]):
return self.environment[package_name][0].project_name
|
case_sensitive_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, package_name):\n if len(self.environment[package_name]):\n return self.environment[package_name][0].project_name\n",
"role": "user"
},
{
"content": "case_sensitive_name",
"role": "assistant"
}
] |
def x(self, key):
cache.set(key, cache.get(key, 0) + 1, self.expire_after())
|
cache_incr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n cache.set(key, cache.get(key, 0) + 1, self.expire_after())\n",
"role": "user"
},
{
"content": "cache_incr",
"role": "assistant"
}
] |
def x(plugins, method, *arg, **kw):
for plug in plugins:
func = getattr(plug, method, None)
if func is None:
continue
result = func(*arg, **kw)
if result is not None:
return result
return None
|
call_plugins
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(plugins, method, *arg, **kw):\n for plug in plugins:\n func = getattr(plug, method, None)\n if func is None:\n continue\n result = func(*arg, **kw)\n if result is not None:\n return result\n return None\n",
"role": "user"
},
{
"content": "call_plugins",
"role": "assistant"
}
] |
def x(builtin=True, others=True):
for entry_point in pkg_resources.iter_entry_points('yolk.plugins'):
try:
plugin = entry_point.load()
except KeyboardInterrupt:
raise
except Exception as err_msg:
warn('Unable to load plugin %s: %s' % (entry_point, err_msg),
RuntimeWarning)
continue
if plugin.__module__.startswith('yolk.plugins'):
if builtin:
yield plugin
elif others:
yield plugin
|
load_plugins
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(builtin=True, others=True):\n for entry_point in pkg_resources.iter_entry_points('yolk.plugins'):\n try:\n plugin = entry_point.load()\n except KeyboardInterrupt:\n raise\n except Exception as err_msg:\n warn('Unable to load plugin %s: %s' % (entry_point, err_msg),\n RuntimeWarning)\n continue\n if plugin.__module__.startswith('yolk.plugins'):\n if builtin:\n yield plugin\n elif others:\n yield plugin\n",
"role": "user"
},
{
"content": "load_plugins",
"role": "assistant"
}
] |
def x(bucket_name, s3_access_key_id, s3_secret_key):
conn = connect_s3(s3_access_key_id, s3_secret_key)
try:
return conn.get_bucket(bucket_name)
except S3ResponseError as e:
if e.status == 403:
raise Exception('Bad Amazon S3 credentials.')
raise
|
s3_connect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bucket_name, s3_access_key_id, s3_secret_key):\n conn = connect_s3(s3_access_key_id, s3_secret_key)\n try:\n return conn.get_bucket(bucket_name)\n except S3ResponseError as e:\n if e.status == 403:\n raise Exception('Bad Amazon S3 credentials.')\n raise\n",
"role": "user"
},
{
"content": "s3_connect",
"role": "assistant"
}
] |
def x(s3_bucket, s3_access_key_id, s3_secret_key, prefix=None):
bucket = s3_connect(s3_bucket, s3_access_key_id, s3_secret_key)
return sorted([key.name for key in bucket.list() if key.name.endswith(
'.tbz') and (prefix is None or key.name.startswith(prefix))])
|
s3_list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s3_bucket, s3_access_key_id, s3_secret_key, prefix=None):\n bucket = s3_connect(s3_bucket, s3_access_key_id, s3_secret_key)\n return sorted([key.name for key in bucket.list() if key.name.endswith(\n '.tbz') and (prefix is None or key.name.startswith(prefix))])\n",
"role": "user"
},
{
"content": "s3_list",
"role": "assistant"
}
] |
def x(output_file_path, s3_bucket, s3_access_key_id, s3_secret_key,
s3_file_key=None, prefix=None):
bucket = s3_connect(s3_bucket, s3_access_key_id, s3_secret_key)
if not s3_file_key:
keys = s3_list(s3_bucket, s3_access_key_id, s3_secret_key, prefix)
if not keys:
raise Exception('Target S3 bucket is empty')
s3_file_key = keys[-1]
key = Key(bucket, s3_file_key)
with open(output_file_path, 'w+') as f:
f.write(key.read())
|
s3_download
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(output_file_path, s3_bucket, s3_access_key_id, s3_secret_key,\n s3_file_key=None, prefix=None):\n bucket = s3_connect(s3_bucket, s3_access_key_id, s3_secret_key)\n if not s3_file_key:\n keys = s3_list(s3_bucket, s3_access_key_id, s3_secret_key, prefix)\n if not keys:\n raise Exception('Target S3 bucket is empty')\n s3_file_key = keys[-1]\n key = Key(bucket, s3_file_key)\n with open(output_file_path, 'w+') as f:\n f.write(key.read())\n",
"role": "user"
},
{
"content": "s3_download",
"role": "assistant"
}
] |
def x(source_file_path, bucket_name, s3_access_key_id, s3_secret_key):
key = s3_key(bucket_name, s3_access_key_id, s3_secret_key)
file_name = source_file_path.split('/')[-1]
key.key = file_name
if key.exists():
raise Exception('s3 key %s already exists for current period.' %
file_name)
key.set_contents_from_filename(source_file_path)
|
s3_upload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source_file_path, bucket_name, s3_access_key_id, s3_secret_key):\n key = s3_key(bucket_name, s3_access_key_id, s3_secret_key)\n file_name = source_file_path.split('/')[-1]\n key.key = file_name\n if key.exists():\n raise Exception('s3 key %s already exists for current period.' %\n file_name)\n key.set_contents_from_filename(source_file_path)\n",
"role": "user"
},
{
"content": "s3_upload",
"role": "assistant"
}
] |
def x():
from PyQt5.QtWidgets import QGraphicsObject, QGraphicsItem
class Obj(QGraphicsObject):
def x(self, change, value):
return QGraphicsObject.itemChange(self, change, value)
obj = Obj()
parent = Obj()
obj.setParentItem(parent)
if obj.parentItem() is None:
import sip
QGraphicsItem_itemChange_old = QGraphicsItem.itemChange
changeset = {QGraphicsItem.ItemParentChange, QGraphicsItem.
ItemParentHasChanged, QGraphicsItem.ItemChildAddedChange,
QGraphicsItem.ItemChildRemovedChange}
def x(self, change, value):
if change in changeset:
if isinstance(value, QGraphicsItem):
value = sip.cast(value, QGraphicsItem)
rval = QGraphicsItem_itemChange_old(self, change, value)
if isinstance(rval, QGraphicsItem):
rval = sip.cast(rval, QGraphicsItem)
return rval
else:
return QGraphicsItem_itemChange_old(self, change, value)
QGraphicsItem.itemChange = QGraphicsItem_itemChange
warnings.warn('Monkey patching QGraphicsItem.itemChange',
RuntimeWarning)
|
fix_pyqt5_QGraphicsItem_itemChange
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n from PyQt5.QtWidgets import QGraphicsObject, QGraphicsItem\n\n\n class Obj(QGraphicsObject):\n\n def x(self, change, value):\n return QGraphicsObject.itemChange(self, change, value)\n obj = Obj()\n parent = Obj()\n obj.setParentItem(parent)\n if obj.parentItem() is None:\n import sip\n QGraphicsItem_itemChange_old = QGraphicsItem.itemChange\n changeset = {QGraphicsItem.ItemParentChange, QGraphicsItem.\n ItemParentHasChanged, QGraphicsItem.ItemChildAddedChange,\n QGraphicsItem.ItemChildRemovedChange}\n\n def x(self, change, value):\n if change in changeset:\n if isinstance(value, QGraphicsItem):\n value = sip.cast(value, QGraphicsItem)\n rval = QGraphicsItem_itemChange_old(self, change, value)\n if isinstance(rval, QGraphicsItem):\n rval = sip.cast(rval, QGraphicsItem)\n return rval\n else:\n return QGraphicsItem_itemChange_old(self, change, value)\n QGraphicsItem.itemChange = QGraphicsItem_itemChange\n warnings.warn('Monkey patching QGraphicsItem.itemChange',\n RuntimeWarning)\n",
"role": "user"
},
{
"content": "fix_pyqt5_QGraphicsItem_itemChange",
"role": "assistant"
}
] |
def x():
usage = 'usage: %prog [options]'
opt_parser = optparse.OptionParser(usage=usage)
opt_parser.add_option('--version', action='store_true', dest=
'yolk_version', default=False, help='Show yolk version and exit.')
opt_parser.add_option('--debug', action='store_true', dest='debug',
default=False, help='Show debugging information.')
opt_parser.add_option('-q', '--quiet', action='store_true', dest=
'quiet', default=False, help='Show less output.')
group_local = optparse.OptionGroup(opt_parser,
'Query installed Python packages',
"The following options show information about installed Python packages. Activated packages are normal packages on sys.path that can be imported. Non-activated packages need 'pkg_resources.require()' before they can be imported, such as packages installed with 'easy_install --multi-version'. PKG_SPEC can be either a package name or package name and version e.g. Paste==0.9"
)
group_local.add_option('-l', '--list', action='store_true', dest=
'show_all', default=False, help=
'List all Python packages installed by distutils or setuptools. Use PKG_SPEC to narrow results.'
)
group_local.add_option('-a', '--activated', action='store_true', dest=
'show_active', default=False, help=
'List activated packages installed by distutils or ' +
'setuptools. Use PKG_SPEC to narrow results.')
group_local.add_option('-n', '--non-activated', action='store_true',
dest='show_non_active', default=False, help=
'List non-activated packages installed by distutils or ' +
'setuptools. Use PKG_SPEC to narrow results.')
group_local.add_option('-m', '--metadata', action='store_true', dest=
'metadata', default=False, help=
'Show all metadata for packages installed by ' +
'setuptools (use with -l -a or -n)')
group_local.add_option('-f', '--fields', action='store', dest='fields',
default=False, help='Show specific metadata fields. ' +
'(use with -m or -M)')
group_local.add_option('-d', '--depends', action='store', dest=
'show_deps', metavar='PKG_SPEC', help=
'Show dependencies for a package installed by ' +
'setuptools if they are available.')
group_local.add_option('--entry-points', action='store', dest=
'show_entry_points', default=False, help=
'List entry points for a module. e.g. --entry-points nose.plugins',
metavar='MODULE')
group_local.add_option('--entry-map', action='store', dest=
'show_entry_map', default=False, help=
'List entry map for a package. e.g. --entry-map yolk', metavar=
'PACKAGE_NAME')
group_pypi = optparse.OptionGroup(opt_parser,
'PyPI (Cheese Shop) options',
'The following options query the Python Package Index:')
group_pypi.add_option('-C', '--changelog', action='store', dest=
'show_pypi_changelog', metavar='HOURS', default=False, help=
'Show detailed ChangeLog for PyPI for last n hours. ')
group_pypi.add_option('-D', '--download-links', action='store', metavar
='PKG_SPEC', dest='show_download_links', default=False, help=
"Show download URL's for package listed on PyPI. Use with -T to specify egg, source etc."
)
group_pypi.add_option('-F', '--fetch-package', action='store', metavar=
'PKG_SPEC', dest='fetch', default=False, help=
'Download package source or egg. You can specify a file type with -T')
group_pypi.add_option('-H', '--browse-homepage', action='store',
metavar='PKG_SPEC', dest='browse_website', default=False, help=
'Launch web browser at home page for package.')
group_pypi.add_option('-I', '--pypi-index', action='store', dest=
'pypi_index', default=False, help=
'Specify PyPI mirror for package index.')
group_pypi.add_option('-L', '--latest-releases', action='store', dest=
'show_pypi_releases', metavar='HOURS', default=False, help=
'Show PyPI releases for last n hours. ')
group_pypi.add_option('-M', '--query-metadata', action='store', dest=
'query_metadata_pypi', default=False, metavar='PKG_SPEC', help=
'Show metadata for a package listed on PyPI. Use -f to show particular fields.'
)
group_pypi.add_option('-S', '', action='store', dest='pypi_search',
default=False, help=
'Search PyPI by spec and optional AND/OR operator.', metavar=
'SEARCH_SPEC <AND/OR SEARCH_SPEC>')
group_pypi.add_option('-T', '--file-type', action='store', dest=
'file_type', default='all', help=
"You may specify 'source', 'egg', 'svn' or 'all' when using -D.")
group_pypi.add_option('-U', '--show-updates', action='store_true', dest
='show_updates', metavar='<PKG_NAME>', default=False, help=
'Check PyPI for updates on package(s).')
group_pypi.add_option('-V', '--versions-available', action='store',
dest='versions_available', default=False, metavar='PKG_SPEC', help=
'Show available versions for given package ' + 'listed on PyPI.')
opt_parser.add_option_group(group_local)
opt_parser.add_option_group(group_pypi)
all_plugins = []
for plugcls in load_plugins(others=True):
plug = plugcls()
try:
plug.add_options(opt_parser)
except AttributeError:
pass
return opt_parser
|
setup_opt_parser
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n usage = 'usage: %prog [options]'\n opt_parser = optparse.OptionParser(usage=usage)\n opt_parser.add_option('--version', action='store_true', dest=\n 'yolk_version', default=False, help='Show yolk version and exit.')\n opt_parser.add_option('--debug', action='store_true', dest='debug',\n default=False, help='Show debugging information.')\n opt_parser.add_option('-q', '--quiet', action='store_true', dest=\n 'quiet', default=False, help='Show less output.')\n group_local = optparse.OptionGroup(opt_parser,\n 'Query installed Python packages',\n \"The following options show information about installed Python packages. Activated packages are normal packages on sys.path that can be imported. Non-activated packages need 'pkg_resources.require()' before they can be imported, such as packages installed with 'easy_install --multi-version'. PKG_SPEC can be either a package name or package name and version e.g. Paste==0.9\"\n )\n group_local.add_option('-l', '--list', action='store_true', dest=\n 'show_all', default=False, help=\n 'List all Python packages installed by distutils or setuptools. Use PKG_SPEC to narrow results.'\n )\n group_local.add_option('-a', '--activated', action='store_true', dest=\n 'show_active', default=False, help=\n 'List activated packages installed by distutils or ' +\n 'setuptools. Use PKG_SPEC to narrow results.')\n group_local.add_option('-n', '--non-activated', action='store_true',\n dest='show_non_active', default=False, help=\n 'List non-activated packages installed by distutils or ' +\n 'setuptools. Use PKG_SPEC to narrow results.')\n group_local.add_option('-m', '--metadata', action='store_true', dest=\n 'metadata', default=False, help=\n 'Show all metadata for packages installed by ' +\n 'setuptools (use with -l -a or -n)')\n group_local.add_option('-f', '--fields', action='store', dest='fields',\n default=False, help='Show specific metadata fields. ' +\n '(use with -m or -M)')\n group_local.add_option('-d', '--depends', action='store', dest=\n 'show_deps', metavar='PKG_SPEC', help=\n 'Show dependencies for a package installed by ' +\n 'setuptools if they are available.')\n group_local.add_option('--entry-points', action='store', dest=\n 'show_entry_points', default=False, help=\n 'List entry points for a module. e.g. --entry-points nose.plugins',\n metavar='MODULE')\n group_local.add_option('--entry-map', action='store', dest=\n 'show_entry_map', default=False, help=\n 'List entry map for a package. e.g. --entry-map yolk', metavar=\n 'PACKAGE_NAME')\n group_pypi = optparse.OptionGroup(opt_parser,\n 'PyPI (Cheese Shop) options',\n 'The following options query the Python Package Index:')\n group_pypi.add_option('-C', '--changelog', action='store', dest=\n 'show_pypi_changelog', metavar='HOURS', default=False, help=\n 'Show detailed ChangeLog for PyPI for last n hours. ')\n group_pypi.add_option('-D', '--download-links', action='store', metavar\n ='PKG_SPEC', dest='show_download_links', default=False, help=\n \"Show download URL's for package listed on PyPI. Use with -T to specify egg, source etc.\"\n )\n group_pypi.add_option('-F', '--fetch-package', action='store', metavar=\n 'PKG_SPEC', dest='fetch', default=False, help=\n 'Download package source or egg. You can specify a file type with -T')\n group_pypi.add_option('-H', '--browse-homepage', action='store',\n metavar='PKG_SPEC', dest='browse_website', default=False, help=\n 'Launch web browser at home page for package.')\n group_pypi.add_option('-I', '--pypi-index', action='store', dest=\n 'pypi_index', default=False, help=\n 'Specify PyPI mirror for package index.')\n group_pypi.add_option('-L', '--latest-releases', action='store', dest=\n 'show_pypi_releases', metavar='HOURS', default=False, help=\n 'Show PyPI releases for last n hours. ')\n group_pypi.add_option('-M', '--query-metadata', action='store', dest=\n 'query_metadata_pypi', default=False, metavar='PKG_SPEC', help=\n 'Show metadata for a package listed on PyPI. Use -f to show particular fields.'\n )\n group_pypi.add_option('-S', '', action='store', dest='pypi_search',\n default=False, help=\n 'Search PyPI by spec and optional AND/OR operator.', metavar=\n 'SEARCH_SPEC <AND/OR SEARCH_SPEC>')\n group_pypi.add_option('-T', '--file-type', action='store', dest=\n 'file_type', default='all', help=\n \"You may specify 'source', 'egg', 'svn' or 'all' when using -D.\")\n group_pypi.add_option('-U', '--show-updates', action='store_true', dest\n ='show_updates', metavar='<PKG_NAME>', default=False, help=\n 'Check PyPI for updates on package(s).')\n group_pypi.add_option('-V', '--versions-available', action='store',\n dest='versions_available', default=False, metavar='PKG_SPEC', help=\n 'Show available versions for given package ' + 'listed on PyPI.')\n opt_parser.add_option_group(group_local)\n opt_parser.add_option_group(group_pypi)\n all_plugins = []\n for plugcls in load_plugins(others=True):\n plug = plugcls()\n try:\n plug.add_options(opt_parser)\n except AttributeError:\n pass\n return opt_parser\n",
"role": "user"
},
{
"content": "setup_opt_parser",
"role": "assistant"
}
] |
def x(opt_parser):
options, remaining_args = opt_parser.parse_args()
options_pkg_specs = [options.versions_available, options.
query_metadata_pypi, options.show_download_links, options.
browse_website, options.fetch, options.show_deps]
for pkg_spec in options_pkg_specs:
if pkg_spec:
return pkg_spec
|
validate_pypi_opts
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(opt_parser):\n options, remaining_args = opt_parser.parse_args()\n options_pkg_specs = [options.versions_available, options.\n query_metadata_pypi, options.show_download_links, options.\n browse_website, options.fetch, options.show_deps]\n for pkg_spec in options_pkg_specs:\n if pkg_spec:\n return pkg_spec\n",
"role": "user"
},
{
"content": "validate_pypi_opts",
"role": "assistant"
}
] |
def x(self, inline):
frame = inspect.currentframe().f_back
if frame:
mod = frame.f_globals.get('__name__')
else:
mod = sys._getframe(0).f_globals.get('__name__')
if not mod in self.modulenames:
self.stdout.write(inline)
|
write
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, inline):\n frame = inspect.currentframe().f_back\n if frame:\n mod = frame.f_globals.get('__name__')\n else:\n mod = sys._getframe(0).f_globals.get('__name__')\n if not mod in self.modulenames:\n self.stdout.write(inline)\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(self, method):
all_plugins = []
for entry_point in pkg_resources.iter_entry_points('yolk.plugins'):
plugin_obj = entry_point.load()
plugin = plugin_obj()
plugin.configure(self.options, None)
if plugin.enabled:
if not hasattr(plugin, method):
self.logger.warn('Error: plugin has no method: %s' % method)
plugin = None
else:
all_plugins.append(plugin)
return all_plugins
|
get_plugin
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method):\n all_plugins = []\n for entry_point in pkg_resources.iter_entry_points('yolk.plugins'):\n plugin_obj = entry_point.load()\n plugin = plugin_obj()\n plugin.configure(self.options, None)\n if plugin.enabled:\n if not hasattr(plugin, method):\n self.logger.warn('Error: plugin has no method: %s' % method)\n plugin = None\n else:\n all_plugins.append(plugin)\n return all_plugins\n",
"role": "user"
},
{
"content": "get_plugin",
"role": "assistant"
}
] |
def x(self):
if self.options.debug:
self.logger.setLevel(logging.DEBUG)
elif self.options.quiet:
self.logger.setLevel(logging.ERROR)
else:
self.logger.setLevel(logging.INFO)
self.logger.addHandler(logging.StreamHandler())
return self.logger
|
set_log_level
|
[
{
"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.options.debug:\n self.logger.setLevel(logging.DEBUG)\n elif self.options.quiet:\n self.logger.setLevel(logging.ERROR)\n else:\n self.logger.setLevel(logging.INFO)\n self.logger.addHandler(logging.StreamHandler())\n return self.logger\n",
"role": "user"
},
{
"content": "set_log_level",
"role": "assistant"
}
] |
def x(self):
opt_parser = setup_opt_parser()
self.options, remaining_args = opt_parser.parse_args()
logger = self.set_log_level()
pkg_spec = validate_pypi_opts(opt_parser)
if not pkg_spec:
pkg_spec = remaining_args
self.pkg_spec = pkg_spec
if not self.options.pypi_search and (len(sys.argv) == 1 or len(
remaining_args) > 2):
opt_parser.print_help()
return 2
if (self.options.show_deps or self.options.show_all or self.options.
show_active or self.options.show_non_active or self.options.
show_updates and pkg_spec):
want_installed = True
else:
want_installed = False
if not want_installed or self.options.show_updates:
self.pypi = CheeseShop(self.options.debug)
if pkg_spec:
self.project_name, self.version, self.all_versions = (self.
parse_pkg_ver(want_installed))
if want_installed and not self.project_name:
logger.error('%s is not installed.' % pkg_spec[0])
return 1
commands = ['show_deps', 'query_metadata_pypi', 'fetch',
'versions_available', 'show_updates', 'browse_website',
'show_download_links', 'pypi_search', 'show_pypi_changelog',
'show_pypi_releases', 'yolk_version', 'show_all', 'show_active',
'show_non_active', 'show_entry_map', 'show_entry_points']
for action in commands:
if getattr(self.options, action):
return getattr(self, action)()
opt_parser.print_help()
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n opt_parser = setup_opt_parser()\n self.options, remaining_args = opt_parser.parse_args()\n logger = self.set_log_level()\n pkg_spec = validate_pypi_opts(opt_parser)\n if not pkg_spec:\n pkg_spec = remaining_args\n self.pkg_spec = pkg_spec\n if not self.options.pypi_search and (len(sys.argv) == 1 or len(\n remaining_args) > 2):\n opt_parser.print_help()\n return 2\n if (self.options.show_deps or self.options.show_all or self.options.\n show_active or self.options.show_non_active or self.options.\n show_updates and pkg_spec):\n want_installed = True\n else:\n want_installed = False\n if not want_installed or self.options.show_updates:\n self.pypi = CheeseShop(self.options.debug)\n if pkg_spec:\n self.project_name, self.version, self.all_versions = (self.\n parse_pkg_ver(want_installed))\n if want_installed and not self.project_name:\n logger.error('%s is not installed.' % pkg_spec[0])\n return 1\n commands = ['show_deps', 'query_metadata_pypi', 'fetch',\n 'versions_available', 'show_updates', 'browse_website',\n 'show_download_links', 'pypi_search', 'show_pypi_changelog',\n 'show_pypi_releases', 'yolk_version', 'show_all', 'show_active',\n 'show_non_active', 'show_entry_map', 'show_entry_points']\n for action in commands:\n if getattr(self.options, action):\n return getattr(self, action)()\n opt_parser.print_help()\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self):
dists = Distributions()
if self.project_name:
pkg_list = [self.project_name]
else:
pkg_list = get_pkglist()
found = None
for pkg in pkg_list:
for dist, active in dists.get_distributions('all', pkg, dists.
get_highest_installed(pkg)):
project_name, versions = self.pypi.query_versions_pypi(dist.
project_name)
if versions:
newest = get_highest_version(versions)
if newest != dist.version:
if pkg_resources.parse_version(dist.version
) < pkg_resources.parse_version(newest):
found = True
print(' %s %s (%s)' % (project_name, dist.version,
newest))
if not found and self.project_name:
self.logger.info('You have the latest version installed.')
elif not found:
self.logger.info('No newer packages found at The Cheese Shop')
return 0
|
show_updates
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n dists = Distributions()\n if self.project_name:\n pkg_list = [self.project_name]\n else:\n pkg_list = get_pkglist()\n found = None\n for pkg in pkg_list:\n for dist, active in dists.get_distributions('all', pkg, dists.\n get_highest_installed(pkg)):\n project_name, versions = self.pypi.query_versions_pypi(dist.\n project_name)\n if versions:\n newest = get_highest_version(versions)\n if newest != dist.version:\n if pkg_resources.parse_version(dist.version\n ) < pkg_resources.parse_version(newest):\n found = True\n print(' %s %s (%s)' % (project_name, dist.version,\n newest))\n if not found and self.project_name:\n self.logger.info('You have the latest version installed.')\n elif not found:\n self.logger.info('No newer packages found at The Cheese Shop')\n return 0\n",
"role": "user"
},
{
"content": "show_updates",
"role": "assistant"
}
] |
def x(self, show):
show_metadata = self.options.metadata
plugins = self.get_plugin('add_column')
ignores = ['/UNIONFS', '/KNOPPIX.IMG']
workingenv = os.environ.get('WORKING_ENV')
if workingenv:
ignores.append(workingenv)
dists = Distributions()
results = None
for dist, active in dists.get_distributions(show, self.project_name,
self.version):
metadata = get_metadata(dist)
for prefix in ignores:
if dist.location.startswith(prefix):
dist.location = dist.location.replace(prefix, '')
if dist.location.lower().startswith(get_python_lib().lower()):
develop = ''
else:
develop = dist.location
if metadata:
add_column_text = ''
for my_plugin in plugins:
add_column_text += my_plugin.add_column(dist) + ' '
self.print_metadata(metadata, develop, active, add_column_text)
else:
print(str(dist) + ' has no metadata')
results = True
if not results and self.project_name:
if self.version:
pkg_spec = '%s==%s' % (self.project_name, self.version)
else:
pkg_spec = '%s' % self.project_name
if show == 'all':
self.logger.error('There are no versions of %s installed.' %
pkg_spec)
else:
self.logger.error('There are no %s versions of %s installed.' %
(show, pkg_spec))
return 2
elif show == 'all' and results and self.options.fields:
print("Versions with '*' are non-active.")
print("Versions with '!' are deployed in development mode.")
|
show_distributions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, show):\n show_metadata = self.options.metadata\n plugins = self.get_plugin('add_column')\n ignores = ['/UNIONFS', '/KNOPPIX.IMG']\n workingenv = os.environ.get('WORKING_ENV')\n if workingenv:\n ignores.append(workingenv)\n dists = Distributions()\n results = None\n for dist, active in dists.get_distributions(show, self.project_name,\n self.version):\n metadata = get_metadata(dist)\n for prefix in ignores:\n if dist.location.startswith(prefix):\n dist.location = dist.location.replace(prefix, '')\n if dist.location.lower().startswith(get_python_lib().lower()):\n develop = ''\n else:\n develop = dist.location\n if metadata:\n add_column_text = ''\n for my_plugin in plugins:\n add_column_text += my_plugin.add_column(dist) + ' '\n self.print_metadata(metadata, develop, active, add_column_text)\n else:\n print(str(dist) + ' has no metadata')\n results = True\n if not results and self.project_name:\n if self.version:\n pkg_spec = '%s==%s' % (self.project_name, self.version)\n else:\n pkg_spec = '%s' % self.project_name\n if show == 'all':\n self.logger.error('There are no versions of %s installed.' %\n pkg_spec)\n else:\n self.logger.error('There are no %s versions of %s installed.' %\n (show, pkg_spec))\n return 2\n elif show == 'all' and results and self.options.fields:\n print(\"Versions with '*' are non-active.\")\n print(\"Versions with '!' are deployed in development mode.\")\n",
"role": "user"
},
{
"content": "show_distributions",
"role": "assistant"
}
] |
def x(self, metadata, develop, active, installed_by):
show_metadata = self.options.metadata
if self.options.fields:
fields = self.options.fields.split(',')
fields = map(str.strip, fields)
else:
fields = []
version = metadata['Version']
if active:
if fields:
active_status = ''
else:
active_status = 'active'
elif fields:
active_status = '*'
else:
active_status = 'non-active'
if develop:
if fields:
development_status = '! (%s)' % develop
else:
development_status = 'development (%s)' % develop
else:
development_status = installed_by
status = '%s %s' % (active_status, development_status)
if fields:
print('%s (%s)%s %s' % (metadata['Name'], version, active_status,
development_status))
else:
print(metadata['Name'].ljust(15) + ' - ' + version.ljust(12) +
' - ' + status)
if fields:
fields = map(str.lower, fields)
for field in metadata.keys():
if field.lower() in fields:
print(' %s: %s' % (field, metadata[field]))
print()
elif show_metadata:
for field in metadata.keys():
if field != 'Name' and field != 'Summary':
print(' %s: %s' % (field, metadata[field]))
|
print_metadata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, metadata, develop, active, installed_by):\n show_metadata = self.options.metadata\n if self.options.fields:\n fields = self.options.fields.split(',')\n fields = map(str.strip, fields)\n else:\n fields = []\n version = metadata['Version']\n if active:\n if fields:\n active_status = ''\n else:\n active_status = 'active'\n elif fields:\n active_status = '*'\n else:\n active_status = 'non-active'\n if develop:\n if fields:\n development_status = '! (%s)' % develop\n else:\n development_status = 'development (%s)' % develop\n else:\n development_status = installed_by\n status = '%s %s' % (active_status, development_status)\n if fields:\n print('%s (%s)%s %s' % (metadata['Name'], version, active_status,\n development_status))\n else:\n print(metadata['Name'].ljust(15) + ' - ' + version.ljust(12) +\n ' - ' + status)\n if fields:\n fields = map(str.lower, fields)\n for field in metadata.keys():\n if field.lower() in fields:\n print(' %s: %s' % (field, metadata[field]))\n print()\n elif show_metadata:\n for field in metadata.keys():\n if field != 'Name' and field != 'Summary':\n print(' %s: %s' % (field, metadata[field]))\n",
"role": "user"
},
{
"content": "print_metadata",
"role": "assistant"
}
] |
def x(self):
pkgs = pkg_resources.Environment()
for pkg in pkgs[self.project_name]:
if not self.version:
print(pkg.project_name, pkg.version)
i = len(pkg._dep_map.values()[0])
if i:
while i:
if (not self.version or self.version and pkg.version ==
self.version):
if self.version and i == len(pkg._dep_map.values()[0]):
print(pkg.project_name, pkg.version)
print(' ' + str(pkg._dep_map.values()[0][i - 1]))
i -= 1
else:
self.logger.info(
'No dependency information was supplied with the package.')
return 1
return 0
|
show_deps
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n pkgs = pkg_resources.Environment()\n for pkg in pkgs[self.project_name]:\n if not self.version:\n print(pkg.project_name, pkg.version)\n i = len(pkg._dep_map.values()[0])\n if i:\n while i:\n if (not self.version or self.version and pkg.version ==\n self.version):\n if self.version and i == len(pkg._dep_map.values()[0]):\n print(pkg.project_name, pkg.version)\n print(' ' + str(pkg._dep_map.values()[0][i - 1]))\n i -= 1\n else:\n self.logger.info(\n 'No dependency information was supplied with the package.')\n return 1\n return 0\n",
"role": "user"
},
{
"content": "show_deps",
"role": "assistant"
}
] |
def x(self):
hours = self.options.show_pypi_changelog
if not hours.isdigit():
self.logger.error('Error: You must supply an integer.')
return 1
try:
changelog = self.pypi.changelog(int(hours))
except XMLRPCFault as err_msg:
self.logger.error(err_msg)
self.logger.error("ERROR: Couldn't retrieve changelog.")
return 1
last_pkg = ''
for entry in changelog:
pkg = entry[0]
if pkg != last_pkg:
print('%s %s\n\t%s' % (entry[0], entry[1], entry[3]))
last_pkg = pkg
else:
print('\t%s' % entry[3])
return 0
|
show_pypi_changelog
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n hours = self.options.show_pypi_changelog\n if not hours.isdigit():\n self.logger.error('Error: You must supply an integer.')\n return 1\n try:\n changelog = self.pypi.changelog(int(hours))\n except XMLRPCFault as err_msg:\n self.logger.error(err_msg)\n self.logger.error(\"ERROR: Couldn't retrieve changelog.\")\n return 1\n last_pkg = ''\n for entry in changelog:\n pkg = entry[0]\n if pkg != last_pkg:\n print('%s %s\\n\\t%s' % (entry[0], entry[1], entry[3]))\n last_pkg = pkg\n else:\n print('\\t%s' % entry[3])\n return 0\n",
"role": "user"
},
{
"content": "show_pypi_changelog",
"role": "assistant"
}
] |
def x(self):
try:
hours = int(self.options.show_pypi_releases)
except ValueError:
self.logger.error('ERROR: You must supply an integer.')
return 1
try:
latest_releases = self.pypi.updated_releases(hours)
except XMLRPCFault as err_msg:
self.logger.error(err_msg)
self.logger.error("ERROR: Couldn't retrieve latest releases.")
return 1
for release in latest_releases:
print('%s %s' % (release[0], release[1]))
return 0
|
show_pypi_releases
|
[
{
"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 hours = int(self.options.show_pypi_releases)\n except ValueError:\n self.logger.error('ERROR: You must supply an integer.')\n return 1\n try:\n latest_releases = self.pypi.updated_releases(hours)\n except XMLRPCFault as err_msg:\n self.logger.error(err_msg)\n self.logger.error(\"ERROR: Couldn't retrieve latest releases.\")\n return 1\n for release in latest_releases:\n print('%s %s' % (release[0], release[1]))\n return 0\n",
"role": "user"
},
{
"content": "show_pypi_releases",
"role": "assistant"
}
] |
def x(self):
if self.options.file_type == 'all' and self.version == 'dev':
self.options.file_type = 'svn'
if self.options.file_type == 'svn':
version = 'dev'
elif self.version:
version = self.version
else:
version = self.all_versions[0]
if self.options.file_type == 'all':
self.print_download_uri(version, True)
self.print_download_uri(version, False)
self.print_download_uri('dev', True)
else:
if self.options.file_type == 'source':
source = True
else:
source = False
self.print_download_uri(version, source)
return 0
|
show_download_links
|
[
{
"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.options.file_type == 'all' and self.version == 'dev':\n self.options.file_type = 'svn'\n if self.options.file_type == 'svn':\n version = 'dev'\n elif self.version:\n version = self.version\n else:\n version = self.all_versions[0]\n if self.options.file_type == 'all':\n self.print_download_uri(version, True)\n self.print_download_uri(version, False)\n self.print_download_uri('dev', True)\n else:\n if self.options.file_type == 'source':\n source = True\n else:\n source = False\n self.print_download_uri(version, source)\n return 0\n",
"role": "user"
},
{
"content": "show_download_links",
"role": "assistant"
}
] |
def x(self, version, source):
if version == 'dev':
pkg_type = 'subversion'
source = True
elif source:
pkg_type = 'source'
else:
pkg_type = 'egg'
url = get_download_uri(self.project_name, version, source, self.options
.pypi_index)
if url:
print('%s' % url)
else:
self.logger.info('No download URL found for %s' % pkg_type)
|
print_download_uri
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, version, source):\n if version == 'dev':\n pkg_type = 'subversion'\n source = True\n elif source:\n pkg_type = 'source'\n else:\n pkg_type = 'egg'\n url = get_download_uri(self.project_name, version, source, self.options\n .pypi_index)\n if url:\n print('%s' % url)\n else:\n self.logger.info('No download URL found for %s' % pkg_type)\n",
"role": "user"
},
{
"content": "print_download_uri",
"role": "assistant"
}
] |
def x(self):
source = True
directory = '.'
if self.options.file_type == 'svn':
version = 'dev'
svn_uri = get_download_uri(self.project_name, 'dev', True)
if svn_uri:
directory = self.project_name + '_svn'
return self.fetch_svn(svn_uri, directory)
else:
self.logger.error(
'ERROR: No subversion repository found for %s' % self.
project_name)
return 1
elif self.options.file_type == 'source':
source = True
elif self.options.file_type == 'egg':
source = False
uri = get_download_uri(self.project_name, self.version, source)
if uri:
return self.fetch_uri(directory, uri)
else:
self.logger.error('No %s URI found for package: %s ' % (self.
options.file_type, self.project_name))
return 1
|
fetch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n source = True\n directory = '.'\n if self.options.file_type == 'svn':\n version = 'dev'\n svn_uri = get_download_uri(self.project_name, 'dev', True)\n if svn_uri:\n directory = self.project_name + '_svn'\n return self.fetch_svn(svn_uri, directory)\n else:\n self.logger.error(\n 'ERROR: No subversion repository found for %s' % self.\n project_name)\n return 1\n elif self.options.file_type == 'source':\n source = True\n elif self.options.file_type == 'egg':\n source = False\n uri = get_download_uri(self.project_name, self.version, source)\n if uri:\n return self.fetch_uri(directory, uri)\n else:\n self.logger.error('No %s URI found for package: %s ' % (self.\n options.file_type, self.project_name))\n return 1\n",
"role": "user"
},
{
"content": "fetch",
"role": "assistant"
}
] |
def x(self, directory, uri):
filename = os.path.basename(urlparse(uri)[2])
if os.path.exists(filename):
self.logger.error('ERROR: File exists: ' + filename)
return 1
try:
downloaded_filename, headers = urlretrieve(uri, filename)
self.logger.info('Downloaded ./' + filename)
except IOError as err_msg:
self.logger.error('Error downloading package %s from URL %s' % (
filename, uri))
self.logger.error(str(err_msg))
return 1
if headers.gettype() in ['text/html']:
dfile = open(downloaded_filename)
if re.search('404 Not Found', ''.join(dfile.readlines())):
dfile.close()
self.logger.error("'404 Not Found' error")
return 1
dfile.close()
return 0
|
fetch_uri
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, directory, uri):\n filename = os.path.basename(urlparse(uri)[2])\n if os.path.exists(filename):\n self.logger.error('ERROR: File exists: ' + filename)\n return 1\n try:\n downloaded_filename, headers = urlretrieve(uri, filename)\n self.logger.info('Downloaded ./' + filename)\n except IOError as err_msg:\n self.logger.error('Error downloading package %s from URL %s' % (\n filename, uri))\n self.logger.error(str(err_msg))\n return 1\n if headers.gettype() in ['text/html']:\n dfile = open(downloaded_filename)\n if re.search('404 Not Found', ''.join(dfile.readlines())):\n dfile.close()\n self.logger.error(\"'404 Not Found' error\")\n return 1\n dfile.close()\n return 0\n",
"role": "user"
},
{
"content": "fetch_uri",
"role": "assistant"
}
] |
def x(self, svn_uri, directory):
if not command_successful('svn --version'):
self.logger.error('ERROR: Do you have subversion installed?')
return 1
if os.path.exists(directory):
self.logger.error('ERROR: Checkout directory exists - %s' % directory)
return 1
try:
os.mkdir(directory)
except OSError as err_msg:
self.logger.error('ERROR: ' + str(err_msg))
return 1
cwd = os.path.realpath(os.curdir)
os.chdir(directory)
self.logger.info('Doing subversion checkout for %s' % svn_uri)
status, output = run_command('/usr/bin/svn co %s' % svn_uri)
self.logger.info(output)
os.chdir(cwd)
self.logger.info("subversion checkout is in directory './%s'" % directory)
return 0
|
fetch_svn
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, svn_uri, directory):\n if not command_successful('svn --version'):\n self.logger.error('ERROR: Do you have subversion installed?')\n return 1\n if os.path.exists(directory):\n self.logger.error('ERROR: Checkout directory exists - %s' % directory)\n return 1\n try:\n os.mkdir(directory)\n except OSError as err_msg:\n self.logger.error('ERROR: ' + str(err_msg))\n return 1\n cwd = os.path.realpath(os.curdir)\n os.chdir(directory)\n self.logger.info('Doing subversion checkout for %s' % svn_uri)\n status, output = run_command('/usr/bin/svn co %s' % svn_uri)\n self.logger.info(output)\n os.chdir(cwd)\n self.logger.info(\"subversion checkout is in directory './%s'\" % directory)\n return 0\n",
"role": "user"
},
{
"content": "fetch_svn",
"role": "assistant"
}
] |
def x(self, browser=None):
if len(self.all_versions):
metadata = self.pypi.release_data(self.project_name, self.
all_versions[0])
self.logger.debug('DEBUG: browser: %s' % browser)
if metadata.has_key('home_page'):
self.logger.info('Launching browser: %s' % metadata['home_page'])
if browser == 'konqueror':
browser = webbrowser.Konqueror()
else:
browser = webbrowser.get()
browser.open(metadata['home_page'], 2)
return 0
self.logger.error('No homepage URL found.')
return 1
|
browse_website
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, browser=None):\n if len(self.all_versions):\n metadata = self.pypi.release_data(self.project_name, self.\n all_versions[0])\n self.logger.debug('DEBUG: browser: %s' % browser)\n if metadata.has_key('home_page'):\n self.logger.info('Launching browser: %s' % metadata['home_page'])\n if browser == 'konqueror':\n browser = webbrowser.Konqueror()\n else:\n browser = webbrowser.get()\n browser.open(metadata['home_page'], 2)\n return 0\n self.logger.error('No homepage URL found.')\n return 1\n",
"role": "user"
},
{
"content": "browse_website",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.