source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, length=4):
if not isinstance(length, int):
raise TypeError('DigitWord can only be randomized by an integer length'
)
if self.wordtype == DigitWord.DIGIT:
self._word = [Digit(random.randint(0, 9)) for i in range(0, length)]
elif self.wordtype == DigitWord.HEXDIGIT:
self._word = [HexDigit(str(hex(random.randint(0, 15))).replace('0x',
'')) for i in range(0, length)]
else:
raise TypeError('wordtype is invalid.')
| random | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, length=4):\n if not isinstance(length, int):\n raise TypeError('DigitWord can only be randomized by an integer length'\n )\n if s... |
def x(self, other):
self._validate_compare_parameters(other=other)
return_list = []
for idx, digit in enumerate(other):
dwa = DigitWordAnalysis(index=idx, digit=digit, match=digit == self
._word[idx], in_word=self._word.count(digit) > 0, multiple=self
._word.count(digit) > 1)
return_list.append(dwa)
return return_list
| compare | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n self._validate_compare_parameters(other=other)\n return_list = []\n for idx, digit in enumerate(other):\n dwa = DigitWordAnalys... |
def x(self, options, index_urls):
return PackageFinder(find_links=options.find_links, index_urls=
index_urls, use_mirrors=options.use_mirrors, mirrors=options.mirrors)
| build_package_finder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, options, index_urls):\n return PackageFinder(find_links=options.find_links, index_urls=\n index_urls, use_mirrors=options.use_mirrors, mirrors=... |
def x(amend: bool=False, stage: bool=False):
_sort(amend, stage)
| sort | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(amend: bool=False, stage: bool=False):\n _sort(amend, stage)\n",
"role": "user"
},
{
"content": "sort",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
kwargs = self._inject_request_kwargs(kwargs)
url = reddit_url(*args)
r = requests.get(url, **kwargs)
if r.status_code == 200:
thing = self._thingify(json.loads(r.content), path=urlparse(r.url).path
)
return thing
else:
raise BadResponse(r)
| 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 kwargs = self._inject_request_kwargs(kwargs)\n url = reddit_url(*args)\n r = requests.get(url, **kwargs)\n if r.status_co... |
def x(self, *args, **kwargs):
kwargs = self._inject_request_kwargs(kwargs)
kwargs = self._inject_post_data(kwargs)
url = reddit_url(*args)
r = requests.post(url, **kwargs)
if r.status_code == 200:
try:
j = json.loads(r.content)
except ValueError:
raise BadResponse(r)
try:
errors = j['json']['errors']
except Exception:
errors = None
if errors:
raise PostError(errors)
else:
return j
else:
raise BadResponse(r)
| post | [
{
"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 kwargs = self._inject_request_kwargs(kwargs)\n kwargs = self._inject_post_data(kwargs)\n url = reddit_url(*args)\n r = re... |
def x(self, username, password):
data = dict(user=username, passwd=password, api_type='json')
r = requests.post(LOGIN_URL, data=data)
if r.status_code == 200:
try:
j = json.loads(r.content)
self._cookies = r.cookies
self._modhash = j['json']['data']['modhash']
self._username = username
return r
except Exception:
raise LoginFail()
else:
raise BadResponse(r)
| 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 data = dict(user=username, passwd=password, api_type='json')\n r = requests.post(LOGIN_URL, data=data)\n if r.status_code... |
def x(self, url, limit=None):
return self._limit_get('api', 'info', params=dict(url=url), limit=limit)
| info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, limit=None):\n return self._limit_get('api', 'info', params=dict(url=url), limit=limit)\n",
"role": "user"
},
{
"content": "info",
... |
def x(self, query, limit=None):
return self._limit_get('search', params=dict(q=query), limit=limit)
| search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query, limit=None):\n return self._limit_get('search', params=dict(q=query), limit=limit)\n",
"role": "user"
},
{
"content": "search",
... |
def x(self, sr, limit=None):
userlist = self._limit_get('r', sr, 'about', 'moderators', limit=limit)
return _process_userlist(userlist)
| moderators | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sr, limit=None):\n userlist = self._limit_get('r', sr, 'about', 'moderators', limit=limit)\n return _process_userlist(userlist)\n",
"role": "us... |
def x(self, id_, dir_):
data = dict(id=id_, dir=dir_)
j = self.post('api', 'vote', data=data)
return assert_truthy(j)
| vote | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id_, dir_):\n data = dict(id=id_, dir=dir_)\n j = self.post('api', 'vote', data=data)\n return assert_truthy(j)\n",
"role": "user"
},
{
... |
def x(self, parent, text):
data = dict(parent=parent, text=text)
j = self.post('api', 'comment', data=data)
try:
return self._thingify(j['json']['data']['things'][0])
except Exception:
raise UnexpectedResponse(j)
| comment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parent, text):\n data = dict(parent=parent, text=text)\n j = self.post('api', 'comment', data=data)\n try:\n return self._thingify(j['jso... |
def x(self, id_, text):
data = dict(thing_id=id_, text=text)
j = self.post('api', 'editusertext', data=data)
try:
return self._thingify(j['json']['data']['things'][0])
except Exception:
raise UnexpectedResponse(j)
| edit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id_, text):\n data = dict(thing_id=id_, text=text)\n j = self.post('api', 'editusertext', data=data)\n try:\n return self._thingify(j['js... |
def x(self, sr, title, url, follow=True):
return self._submit(sr, title, 'link', url=url, follow=follow)
| submit_link | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sr, title, url, follow=True):\n return self._submit(sr, title, 'link', url=url, follow=follow)\n",
"role": "user"
},
{
"content": "submit_... |
def x(self, sr, title, text, follow=True):
return self._submit(sr, title, 'self', text=text, follow=follow)
| submit_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sr, title, text, follow=True):\n return self._submit(sr, title, 'self', text=text, follow=follow)\n",
"role": "user"
},
{
"content": "subm... |
def x(self, to, subject, text):
return self.compose(to, subject, text)
| message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, to, subject, text):\n return self.compose(to, subject, text)\n",
"role": "user"
},
{
"content": "message",
"role": "assistant"
}
] |
def x(self, to, subject, text):
if isinstance(to, Account):
to = to.name
data = dict(to=to, subject=subject, text=text)
j = self.post('api', 'compose', data=data)
return assert_truthy(j)
| compose | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, to, subject, text):\n if isinstance(to, Account):\n to = to.name\n data = dict(to=to, subject=subject, text=text)\n j = self.post('api', ... |
def x(self, id_):
data = dict(id=id_)
j = self.post('api', 'read_message', data=data)
return assert_truthy(j)
| read_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id_):\n data = dict(id=id_)\n j = self.post('api', 'read_message', data=data)\n return assert_truthy(j)\n",
"role": "user"
},
{
"con... |
def x(self, sr):
if not sr.startswith('t5_'):
sr = self.subreddit(sr).name
data = dict(action='sub', sr=sr)
j = self.post('api', 'subscribe', data=data)
return assert_truthy(j)
| subscribe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sr):\n if not sr.startswith('t5_'):\n sr = self.subreddit(sr).name\n data = dict(action='sub', sr=sr)\n j = self.post('api', 'subscribe',... |
def x(self, id_, how=True):
if how == True:
h = 'yes'
elif how == False:
h = 'no'
elif how == 'admin':
h = 'admin'
else:
raise ValueError("how must be either True, False, or 'admin'")
data = dict(id=id_)
j = self.post('api', 'distinguish', h, data=data)
try:
return self._thingify(j['json']['data']['things'][0])
except Exception:
raise UnexpectedResponse(j)
| distinguish | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id_, how=True):\n if how == True:\n h = 'yes'\n elif how == False:\n h = 'no'\n elif how == 'admin':\n h = 'admin'\n els... |
def x(self, r, limit=1000, after=None, before=None):
params = dict(limit=limit)
if after:
params['after'] = after
elif before:
params['before'] = before
b = self.get('r', r, 'api', 'flairlist', params=params)
return b.users
| flairlist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, r, limit=1000, after=None, before=None):\n params = dict(limit=limit)\n if after:\n params['after'] = after\n elif before:\n param... |
def x(self, r, name, text, css_class):
data = dict(r=r, name=name, text=text, css_class=css_class)
j = self.post('api', 'flair', data=data)
return assert_truthy(j)
| flair | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, r, name, text, css_class):\n data = dict(r=r, name=name, text=text, css_class=css_class)\n j = self.post('api', 'flair', data=data)\n return ass... |
def x(self, r, flair_csv):
data = dict(r=r, flair_csv=flair_csv)
return self.post('api', 'flaircsv', data=data)
| flaircsv | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, r, flair_csv):\n data = dict(r=r, flair_csv=flair_csv)\n return self.post('api', 'flaircsv', data=data)\n",
"role": "user"
},
{
"conten... |
def x(self, sr, limit=None):
userlist = self._limit_get('r', sr, 'about', 'contributors', limit=limit)
return _process_userlist(userlist)
| contributors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sr, limit=None):\n userlist = self._limit_get('r', sr, 'about', 'contributors', limit=limit)\n return _process_userlist(userlist)\n",
"role": "... |
def x(source):
def x(parent):
children = parent.getchildren()
if children:
d = {}
identical_children = False
for child in children:
if not identical_children:
if child.tag in d:
identical_children = True
l = [{key: d[key]} for key in d]
l.append({child.tag: etree_to_dict_recursive(child)})
del d
else:
d.update({child.tag: etree_to_dict_recursive(child)})
else:
l.append({child.tag: etree_to_dict_recursive(child)})
return d if not identical_children else l
else:
return parent.text
if hasattr(source, 'getroot'):
source = source.getroot()
if hasattr(source, 'tag'):
return {source.tag: etree_to_dict_recursive(source)}
else:
raise TypeError('Requires an Element or an ElementTree.')
| etree_to_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source):\n\n def x(parent):\n children = parent.getchildren()\n if children:\n d = {}\n identical_children = False\n ... |
def x(source, root_tag=None):
def x(source, parent):
if hasattr(source, 'keys'):
for key, value in source.iteritems():
sub = ET.SubElement(parent, key)
dict_to_etree_recursive(value, sub)
elif isinstance(source, list):
for element in source:
dict_to_etree_recursive(element, parent)
else:
parent.text = source
if root_tag is None:
if len(source) == 1:
root_tag = source.keys()[0]
source = source[root_tag]
else:
roots = []
for tag, content in source.iteritems():
root = ET.Element(tag)
dict_to_etree_recursive(content, root)
roots.append(root)
return roots
root = ET.Element(root_tag)
dict_to_etree_recursive(source, root)
return root
| dict_to_etree | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source, root_tag=None):\n\n def x(source, parent):\n if hasattr(source, 'keys'):\n for key, value in source.iteritems():\n ... |
def x(source, root_tag=None):
if hasattr(source, 'get_root'):
return source.get_root()
elif isinstance(source, type(ET.Element('x'))):
return source
elif isinstance(source, basestring):
try:
return ET.fromstring(source)
except:
raise XMLError(source)
elif hasattr(source, 'keys'):
return dict_to_etree(source, root_tag)
else:
raise XMLError(source)
| to_etree | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source, root_tag=None):\n if hasattr(source, 'get_root'):\n return source.get_root()\n elif isinstance(source, type(ET.Element('x'))):\n re... |
def x(source):
if isinstance(source, basestring):
return source
elif hasattr(source, 'getiterator'):
return ET.tostring(source, encoding='utf-8')
elif hasattr(source, 'keys'):
xml_root = dict_to_etree(source)
return ET.tostring(xml_root, encoding='utf-8')
else:
raise TypeError(
'Accepted representations of a document are string, dict and etree'
)
| to_raw_xml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source):\n if isinstance(source, basestring):\n return source\n elif hasattr(source, 'getiterator'):\n return ET.tostring(source, encoding=... |
def x():
configure_obj = None
parser = argparse.ArgumentParser(description='自动化安装')
parser.add_argument('-s', '--server', help='服务器代替名')
parser.add_argument('-ba', '--bigdata-app', help='大数据服务应用替代名')
parser.add_argument('-add-slave', '--add-slave', help='添加一个子节点服务器')
parser.add_argument('-skip-master', '--skip-master', dest='skip_master',
action='store_true', help='跳过master服务器的安装过程')
parser.add_argument('-f', '--force', dest='force', action='store_true',
help='不询问是否安装')
parser.add_argument('-nf', '--not-force', dest='force', action=
'store_false', help='询问是否安装')
parser.set_defaults(force=False)
parser.add_argument('-my', '--mysql', dest='login_mysql', action=
'store_true', help='登录到Mysql数据库')
parser.set_defaults(login_mysql=False)
parser.add_argument('-login', '--login', dest='login_server', action=
'store_true', help='登录到远程服务器')
parser.set_defaults(login_server=False)
parser.add_argument('-p', '--project', help='项目名称,默认是demo', default='demo')
parser.add_argument('-gp', '--git-pull', help='Github项目的保存目录')
parser.add_argument('-C', '--config', help='配置文件路径', nargs=2)
parser.add_argument('-H', '--host', help='客户机地址')
parser.add_argument('-U', '--user', help='客户机用户名')
parser.add_argument('-P', '--passwd', help='客户机登录密码')
parser.add_argument('-K', '--keyfile', help='客户机SSH KEY的路径')
parser.add_argument('-ap', '--active-port', help='客户机已经开启的端口', action=
'store_true')
args = parser.parse_args()
if args.config is None and args.host is None:
raise ValueError('缺少配置文件-C(--config)或客户机地址-H(--host)')
if args.host is not None:
if (args.user and (args.passwd or args.keyfile)) is None:
raise ValueError('缺少登录必要的信息')
configure = None
if args.config is not None:
configure = configparser.ConfigParser()
configure.read(args.config[0])
config_sections = configure.sections()
if args.config[1] not in config_sections:
raise KeyError('未找到与{0}对应的登录配置文件,存在的配置文件为{1}'.format(args.
config[1], config_sections))
configure_obj = configure[args.config[1]]
ServerBase(args, configure_obj, configure=configure)
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n configure_obj = None\n parser = argparse.ArgumentParser(description='自动化安装')\n parser.add_argument('-s', '--server', help='服务器代替名')\n parser.a... |
def x(filters, arguments, modern=False):
params = DotDict()
for i in filters:
count = len(i)
param = None
if count <= 1:
param = arguments.get(i[0])
else:
param = arguments.get(i[0], i[1])
if count >= 3:
types = i[2]
if modern:
if isinstance(types, list) and param is not None:
assert len(types) == 1
if not isinstance(param, list):
param = [param]
param = [check_type(x, types[0]) for x in param]
else:
param = check_type(param, types)
else:
if not isinstance(types, list):
types = [types]
for t in reversed(types):
if t == 'list' and not isinstance(param, list):
if param is None or param == '':
param = []
else:
param = [param]
elif t == 'list' and isinstance(param, list):
continue
elif isinstance(param, list) and 'list' not in types:
param = ' '.join(param)
param = check_type(param, t)
elif isinstance(param, list):
param = [check_type(x, t) for x in param]
else:
param = check_type(param, t)
params[i[0]] = param
return params
| parse_arguments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filters, arguments, modern=False):\n params = DotDict()\n for i in filters:\n count = len(i)\n param = None\n if count <= 1:\n ... |
def x(param, datatype):
if param is None:
return param
if getattr(datatype, 'clean', None) and callable(datatype.clean):
try:
return datatype.clean(param)
except ValueError:
raise BadArgumentError(param)
elif isinstance(datatype, str):
datatype = {'str': str, 'bool': bool, 'float': float, 'date':
datetime.date, 'datetime': datetime.datetime, 'timedelta':
datetime.timedelta, 'json': 'json', 'int': int}[datatype]
if datatype is str and not isinstance(param, basestring):
try:
param = str(param)
except ValueError:
param = str()
elif datatype is int and not isinstance(param, int):
try:
param = int(param)
except ValueError:
param = int()
elif datatype is bool and not isinstance(param, bool):
param = str(param).lower() in ('true', 't', '1', 'y', 'yes')
elif datatype is datetime.datetime and not isinstance(param, datetime.
datetime):
try:
param = dtutil.string_to_datetime(param)
except ValueError:
param = None
elif datatype is datetime.date and not isinstance(param, datetime.date):
try:
param = dtutil.string_to_datetime(param).date()
except ValueError:
param = None
elif datatype is datetime.timedelta and not isinstance(param, datetime.
timedelta):
try:
param = dtutil.strHoursToTimeDelta(param)
except ValueError:
param = None
elif datatype == 'json' and isinstance(param, basestring):
try:
param = json.loads(param)
except ValueError:
param = None
return param
| check_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(param, datatype):\n if param is None:\n return param\n if getattr(datatype, 'clean', None) and callable(datatype.clean):\n try:\n ... |
def x(user=None):
if connexion.request.is_json:
user = UserAuth.from_dict(connexion.request.get_json())
credentials = mapUserAuthToCredentials(user)
auth = ApitaxAuthentication.login(credentials)
if not auth:
return ErrorResponse(status=401, message='Invalid credentials')
access_token = create_access_token(identity={'username': user.username,
'role': auth['role']})
refresh_token = create_refresh_token(identity={'username': user.
username, 'role': auth['role']})
return AuthResponse(status=201, message='User ' + user.username +
' was authenticated as ' + auth['role'], access_token=access_token,
refresh_token=refresh_token, auth=UserAuth(username=auth[
'credentials'].username, api_token=auth['credentials'].token))
| authenticate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user=None):\n if connexion.request.is_json:\n user = UserAuth.from_dict(connexion.request.get_json())\n credentials = mapUserAuthToCredentials(use... |
def x(self, uri, base_uri, ref):
file_path = None
item_name = None
if uri.startswith(u'file') or uri.startswith(u'File'):
if ref.startswith(u'./'):
ref = ref.split(u'./')[-1]
org_ref = ref
if ref.find(u'#properties') != -1:
ref = ref.split(u'#properties')[0]
if ref.find(u'.json') != -1:
item_name = ref.split(u'.json')[0]
if base_uri.startswith(u'file://') is True:
base_uri = base_uri.split(u'file://')[1]
elif base_uri.startswith(u'File://') is True:
base_uri = base_uri.split(u'File://')[1]
file_path = os.path.join(base_uri, ref)
result = None
try:
schema_file = open(file_path, 'r').read()
result = json.loads(schema_file.decode('utf-8'))
except IOError as e:
log.error(u'file not found %s' % e)
msg = 'Could not find schema file. %s' % file_path
raise SalesKingException('SCHEMA_NOT_FOUND', msg)
if self.cache_remote:
self.store[uri] = result
return result
| resolve_local | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uri, base_uri, ref):\n file_path = None\n item_name = None\n if uri.startswith(u'file') or uri.startswith(u'File'):\n if ref.startswith(u... |
def x(self, ref):
full_uri = urljoin(self.resolution_scope, ref)
uri, fragment = urldefrag(full_uri)
if not uri:
uri = self.base_uri
if uri in self.store:
document = self.store[uri]
elif uri.startswith(u'file') or uri.startswith(u'File'):
try:
document = self.resolve_local(full_uri, self.resolution_scope, ref)
except Exception as exc:
raise RefResolutionError(exc)
else:
try:
document = self.resolve_remote(uri)
except Exception as exc:
raise RefResolutionError(exc)
old_base_uri, self.base_uri = self.base_uri, uri
try:
with self.in_scope(uri):
yield self.resolve_fragment(document, fragment)
finally:
self.base_uri = old_base_uri
| resolving | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ref):\n full_uri = urljoin(self.resolution_scope, ref)\n uri, fragment = urldefrag(full_uri)\n if not uri:\n uri = self.base_uri\n if ... |
def x(func):
cache = {}
@f.wraps(func)
def x(*args, **kwargs):
key = func.__name__ + str(sorted(args)) + str(sorted(kwargs.items()))
if key not in cache:
cache[key] = func(*args, **kwargs)
return cache[key]
return wrapper
| cached | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func):\n cache = {}\n\n @f.wraps(func)\n def x(*args, **kwargs):\n key = func.__name__ + str(sorted(args)) + str(sorted(kwargs.items()))\n ... |
def x(attempt, cap):
base = 100
max_wait = min(cap, base * 2 ** attempt)
return random.choice(range(0, max_wait))
| retry_wait_time | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(attempt, cap):\n base = 100\n max_wait = min(cap, base * 2 ** attempt)\n return random.choice(range(0, max_wait))\n",
"role": "user"
},
{
... |
def x(callback, times=3, cap=120000):
for attempt in range(times + 1):
if attempt > 0:
time.sleep(retry_wait_time(attempt, cap) / 1000.0)
try:
return callback()
except:
if attempt == times:
raise
| retry_ex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(callback, times=3, cap=120000):\n for attempt in range(times + 1):\n if attempt > 0:\n time.sleep(retry_wait_time(attempt, cap) / 1000.0)\... |
def x(callback, times=3, cap=120000):
for attempt in range(times + 1):
if attempt > 0:
time.sleep(retry_wait_time(attempt, cap) / 1000.0)
ret = callback()
if ret or attempt == times:
break
return ret
| retry_bool | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(callback, times=3, cap=120000):\n for attempt in range(times + 1):\n if attempt > 0:\n time.sleep(retry_wait_time(attempt, cap) / 1000.0)\... |
def x(retryer=retry_ex, times=3, cap=120000):
def x(func):
@f.wraps(func)
def x(*args, **kwargs):
return retryer(lambda : func(*args, **kwargs), times, cap)
return wrapper
return _retryable
| retryable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(retryer=retry_ex, times=3, cap=120000):\n\n def x(func):\n\n @f.wraps(func)\n def x(*args, **kwargs):\n return retryer(lambda : fun... |
def x(variables):
missing = [v for v in variables if v not in os.environ]
if missing:
formatted = ', '.join(missing)
message = 'Environment variables not set: {}'.format(formatted)
raise IncompleteEnvironment(message, missing)
return os.environ
| ensure_environment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(variables):\n missing = [v for v in variables if v not in os.environ]\n if missing:\n formatted = ', '.join(missing)\n message = 'Environme... |
def x(table: Table, column: Column, length: int, engine: Engine) ->None:
if column.type.length < length:
print('Changing length of {} from {} to {}'.format(column, column.
type.length, length))
column.type.length = length
column_name = column.name
column_type = column.type.compile(engine.dialect)
engine.execute(
'ALTER TABLE {table} ALTER COLUMN {column_name} TYPE {column_type}'
.format(**locals()))
| change_column_length | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(table: Table, column: Column, length: int, engine: Engine) ->None:\n if column.type.length < length:\n print('Changing length of {} from {} to {}'.fo... |
def x(opts: Namespace) ->Tuple[str, str]:
return opts.crcdb.replace('//', '//{crcuser}:{crcpassword}@'.format(**
opts.__dict__)), opts.ontodb.replace('//',
'//{ontouser}:{ontopassword}@'.format(**opts.__dict__))
| db_urls | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(opts: Namespace) ->Tuple[str, str]:\n return opts.crcdb.replace('//', '//{crcuser}:{crcpassword}@'.format(**\n opts.__dict__)), opts.ontodb.replace('... |
def x(self) ->List[Tuple[str, str]]:
return [(k.rsplit('.', 1)[1] if '.' in k else k, k) for k in self.
_ont_tables.keys()]
| tables | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->List[Tuple[str, str]]:\n return [(k.rsplit('.', 1)[1] if '.' in k else k, k) for k in self.\n _ont_tables.keys()]\n",
"role": "user"
},... |
def x(path, message):
if not os.path.isdir(path):
raise FileNotFoundError(errno.ENOENT, '{}: {}'.format(message, os.
strerror(errno.ENOENT)), path)
| isdir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, message):\n if not os.path.isdir(path):\n raise FileNotFoundError(errno.ENOENT, '{}: {}'.format(message, os.\n strerror(errno.ENOENT... |
def x(self):
line = self._buffer.getvalue()
self._buffer = StringIO()
content = {'session_id': self._session, 'text': line}
self._herald.fire(self._peer, beans.Message(MSG_CLIENT_PRINT, content))
| flush | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n line = self._buffer.getvalue()\n self._buffer = StringIO()\n content = {'session_id': self._session, 'text': line}\n self._herald.fire(sel... |
def x(self):
content = {'session_id': self._session}
prompt_msg = self._herald.send(self._peer, beans.Message(
MSG_CLIENT_PROMPT, content))
if prompt_msg.subject == MSG_SERVER_CLOSE:
raise EOFError
return prompt_msg.content
| readline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n content = {'session_id': self._session}\n prompt_msg = self._herald.send(self._peer, beans.Message(\n MSG_CLIENT_PROMPT, content))\n i... |
def x(text, width, padding=8):
stem = ' /'
frog = '\n{text}\n{stem}\n @..@\n (----)\n( >__< )\n^^ ~~ ^^'
offset = len(stem) - 1
formatted_indent = ' ' * offset
formatted_text = textwrap.fill(text, width=width - padding,
initial_indent=formatted_indent, subsequent_indent=formatted_indent)
return frog.format(stem=stem, text=formatted_text)
| make_frog_fresco | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, width, padding=8):\n stem = ' /'\n frog = '\\n{text}\\n{stem}\\n @..@\\n (----)\\n( >__< )\\n^^ ~~ ^^'\n offset = len(stem) - 1\n for... |
def x(filename, prefix=None, gzip=True):
setup_freesurfer()
if prefix == None:
prefix = nl.prefix(filename) + '.nii'
if gzip and not prefix.endswith('.gz'):
prefix += '.gz'
nl.run([os.path.join(freesurfer_home, 'bin', 'mri_convert'), filename,
prefix], products=prefix)
| mgz_to_nifti | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, prefix=None, gzip=True):\n setup_freesurfer()\n if prefix == None:\n prefix = nl.prefix(filename) + '.nii'\n if gzip and not prefix.e... |
def x():
global freesurfer_home
if freesurfer_home != None:
return True
fv = nl.which('freeview')
if fv:
freesurfer_home = parpar_dir(os.path.realpath(fv))
return True
for guess_dir in guess_locations:
if os.path.exists(guess_dir):
freesurfer_home = guess_dir
return True
return False
| guess_home | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n global freesurfer_home\n if freesurfer_home != None:\n return True\n fv = nl.which('freeview')\n if fv:\n freesurfer_home = parp... |
def x():
guess_home()
os.environ['FREESURFER_HOME'] = freesurfer_home
os.environ['SUBJECTS_DIR'] = subjects_dir
o = subprocess.check_output(['bash', '-c',
'source %s/SetUpFreeSurfer.sh && env' % freesurfer_home])
env = [(a.partition('=')[0], a.partition('=')[2]) for a in o.split('\n'
) if len(a.strip()) > 0]
for e in env:
os.environ[e[0]] = e[1]
environ_setup = True
| setup_freesurfer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n guess_home()\n os.environ['FREESURFER_HOME'] = freesurfer_home\n os.environ['SUBJECTS_DIR'] = subjects_dir\n o = subprocess.check_output(['bas... |
def x(subj_id, anatomies):
if not environ_setup:
setup_freesurfer()
if isinstance(anatomies, basestring):
anatomies = [anatomies]
nl.run([os.path.join(freesurfer_home, 'bin', 'recon-all'), '-all',
'-subjid', subj_id] + [['-i', anat] for anat in anatomies])
| recon_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(subj_id, anatomies):\n if not environ_setup:\n setup_freesurfer()\n if isinstance(anatomies, basestring):\n anatomies = [anatomies]\n nl... |
def x(docstring):
short_desc = long_desc = ''
if docstring:
docstring = trim(docstring.lstrip('\n'))
lines = docstring.split('\n\n', 1)
short_desc = lines[0].strip().replace('\n', ' ')
if len(lines) > 1:
long_desc = lines[1].strip()
return short_desc, long_desc
| parse_docstring | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(docstring):\n short_desc = long_desc = ''\n if docstring:\n docstring = trim(docstring.lstrip('\\n'))\n lines = docstring.split('\\n\\n', 1... |
def x(self, factory, main, name=None, context_kwargs=None):
if name is None:
name = factory.__name__.replace('_', '-')
if context_kwargs is None:
context_kwargs = {}
short_desc, long_desc = parse_docstring(factory.__doc__)
if long_desc:
long_desc = short_desc + '\n\n' + long_desc
if isinstance(main, str) and (main.startswith('.') or main.startswith(':')
):
module = __import__(factory.__module__, None, None, ['__doc__'])
package = package_for_module(module)
if main in ['.', ':']:
main = package.__name__
else:
main = package.__name__ + main
self.commands[name] = CommandMeta(factory=factory, main=main, name=name,
help=short_desc, description=long_desc, context_kwargs=context_kwargs)
| add_command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, factory, main, name=None, context_kwargs=None):\n if name is None:\n name = factory.__name__.replace('_', '-')\n if context_kwargs is None:\... |
def x(self, *args, **kwargs):
def x(func):
self.add_command(func, *args, **kwargs)
return func
return wrapper
| command | [
{
"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\n def x(func):\n self.add_command(func, *args, **kwargs)\n return func\n return wrapper\n",
"role": "user"
... |
def x(self, obj):
if isinstance(obj, str):
if obj.startswith('.') or obj.startswith(':'):
package = caller_package()
if obj in ['.', ':']:
obj = package.__name__
else:
obj = package.__name__ + obj
obj = pkg_resources.EntryPoint.parse('x=%s' % obj).resolve()
command.discover_and_call(obj, self.command)
| load_commands | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n if isinstance(obj, str):\n if obj.startswith('.') or obj.startswith(':'):\n package = caller_package()\n if obj i... |
def x(self, specifier):
for ep in pkg_resources.iter_entry_points(specifier):
module = ep.load()
command.discover_and_call(module, self.command)
| load_commands_from_entry_point | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, specifier):\n for ep in pkg_resources.iter_entry_points(specifier):\n module = ep.load()\n command.discover_and_call(module, self.comman... |
def x(self, argv=None):
if argv is None:
argv = sys.argv[1:]
argv = [str(v) for v in argv]
meta, args = parse_args(self, argv)
context_factory = contextmanager(make_generator(self.context_factory))
with context_factory(self, args, **meta.context_kwargs) as context:
main = load_main(meta)
return main(context, args) or 0
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, argv=None):\n if argv is None:\n argv = sys.argv[1:]\n argv = [str(v) for v in argv]\n meta, args = parse_args(self, argv)\n context_f... |
def x(xmpp_server, xmpp_port, peer_name, node_name, app_id, xmpp_jid=None,
xmpp_password=None):
framework = pelix.framework.create_framework(('pelix.ipopo.core',
'pelix.ipopo.waiting', 'pelix.shell.core', 'pelix.shell.ipopo',
'pelix.shell.console', 'herald.core', 'herald.directory',
'herald.shell', 'herald.transports.xmpp.directory',
'herald.transports.xmpp.transport', 'pelix.remote.dispatcher',
'pelix.remote.registry', 'herald.remote.discovery',
'herald.remote.herald_xmlrpc'), {herald.FWPROP_NODE_UID: node_name,
herald.FWPROP_NODE_NAME: node_name, herald.FWPROP_PEER_NAME:
peer_name, herald.FWPROP_APPLICATION_ID: app_id})
context = framework.get_bundle_context()
framework.start()
with use_waiting_list(context) as ipopo:
ipopo.add(herald.transports.xmpp.FACTORY_TRANSPORT,
'herald-xmpp-transport', {herald.transports.xmpp.
PROP_XMPP_SERVER: xmpp_server, herald.transports.xmpp.
PROP_XMPP_PORT: xmpp_port, herald.transports.xmpp.PROP_XMPP_JID:
xmpp_jid, herald.transports.xmpp.PROP_XMPP_PASSWORD: xmpp_password}
)
framework.wait_for_stop()
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xmpp_server, xmpp_port, peer_name, node_name, app_id, xmpp_jid=None,\n xmpp_password=None):\n framework = pelix.framework.create_framework(('pelix.ipopo.... |
def x(image, min_size=50, connectivity=1):
return skimage.morphology.remove_small_objects(image, min_size=min_size,
connectivity=connectivity)
| remove_small_objects | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(image, min_size=50, connectivity=1):\n return skimage.morphology.remove_small_objects(image, min_size=min_size,\n connectivity=connectivity)\n",
... |
def x(image):
if image.dtype == bool:
return np.logical_not(image)
maximum = np.iinfo(image.dtype).max
maximum_array = np.ones(image.shape, dtype=image.dtype) * maximum
return maximum_array - image
| invert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(image):\n if image.dtype == bool:\n return np.logical_not(image)\n maximum = np.iinfo(image.dtype).max\n maximum_array = np.ones(image.shape, d... |
def x(*popenargs, **kwargs):
stdin = kwargs.pop('input', None)
timeout = kwargs.pop('timeout', None)
check = kwargs.pop('check', False)
if stdin is not None:
if 'stdin' in kwargs:
raise ValueError('stdin and input arguments may not both be used.')
kwargs['stdin'] = PIPE
process = Popen(*popenargs, **kwargs)
try:
if __timeout__:
stdout, stderr = process.communicate(stdin, timeout=timeout)
else:
stdout, stderr = process.communicate(stdin)
except TimeoutExpired:
process.kill()
stdout, stderr = process.communicate()
raise _TimeoutExpired(process.args, timeout, output=stdout, stderr=
stderr)
except:
process.kill()
process.wait()
raise
retcode = process.poll()
if check and retcode:
raise CalledProcessError(retcode, popenargs, output=stdout, stderr=
stderr)
return CompletedProcess(popenargs, retcode, stdout, stderr)
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*popenargs, **kwargs):\n stdin = kwargs.pop('input', None)\n timeout = kwargs.pop('timeout', None)\n check = kwargs.pop('check', False)\n if stdin ... |
def x(self):
if self.returncode:
raise CalledProcessError(self.returncode, self.args, self.stdout,
self.stderr)
| check_returncode | [
{
"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.returncode:\n raise CalledProcessError(self.returncode, self.args, self.stdout,\n self.stderr)\n",
"role": "user"
}... |
def x(x, p):
mu, sig1, sig2, gam1, gam2, G1, G2 = p
gam1 = float(gam1)
gam2 = float(gam2)
G1 = abs(G1)
G2 = abs(G2)
sig1 = abs(sig1)
sig2 = abs(sig2)
gam1 = abs(gam1)
gab2 = abs(gam2)
L2 = gam1 / (gam1 + gam2) * (gam2 * np.pi * G1 / (sig1 * np.sqrt(2 * np
.pi)) - gam2 * np.pi * G2 / (sig2 * np.sqrt(2 * np.pi)) + gam2 /
gam1 * (4 - G1 - G2))
L1 = 4 - G1 - G2 - L2
y1 = G1 / (sig1 * np.sqrt(2 * np.pi)) * np.exp(-0.5 * (x - mu) ** 2 /
sig1 ** 2) + L1 / (np.pi * gam1) * gam1 ** 2 / ((x - mu) ** 2 +
gam1 ** 2)
y2 = G2 / (sig2 * np.sqrt(2 * np.pi)) * np.exp(-0.5 * (x - mu) ** 2 /
sig2 ** 2) + L2 / (np.pi * gam2) * gam2 ** 2 / ((x - mu) ** 2 +
gam2 ** 2)
lo = x < mu
hi = x >= mu
return y1 * lo + y2 * hi
| double_lorgauss | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, p):\n mu, sig1, sig2, gam1, gam2, G1, G2 = p\n gam1 = float(gam1)\n gam2 = float(gam2)\n G1 = abs(G1)\n G2 = abs(G2)\n sig1 = abs(sig1)\n ... |
def x(bins, h, Ntry=5):
try:
from lmfit import minimize, Parameters, Parameter, report_fit
except ImportError:
raise ImportError('you need lmfit to use this function.')
h /= np.trapz(h, bins)
N = len(bins)
dbin = (bins[1:] - bins[:-1]).mean()
newbins = np.concatenate((np.linspace(bins.min() - N / 10 * dbin, bins.
min(), N / 10), bins, np.linspace(bins.max(), bins.max() + N / 10 *
dbin, N / 10)))
newh = np.concatenate((np.zeros(N / 10), h, np.zeros(N / 10)))
mu0 = bins[np.argmax(newh)]
sig0 = abs(mu0 - newbins[np.argmin(np.absolute(newh - 0.5 * newh.max()))])
def x(G1, G2):
params = Parameters()
params.add('mu', value=mu0)
params.add('sig1', value=sig0)
params.add('sig2', value=sig0)
params.add('gam1', value=sig0 / 10)
params.add('gam2', value=sig0 / 10)
params.add('G1', value=G1)
params.add('G2', value=G2)
return params
sum_devsq_best = np.inf
outkeep = None
for G1 in np.linspace(0.1, 1.9, Ntry):
for G2 in np.linspace(0.1, 1.9, Ntry):
params = set_params(G1, G2)
def x(ps):
pars = params['mu'].value, params['sig1'].value, params['sig2'
].value, params['gam1'].value, params['gam2'
].value, params['G1'].value, params['G2'].value
hmodel = double_lorgauss(newbins, pars)
return newh - hmodel
out = minimize(residual, params)
pars = out.params['mu'].value, out.params['sig1'
].value, out.params['sig2'].value, out.params['gam1'
].value, out.params['gam2'].value, out.params['G1'
].value, out.params['G2'].value
sum_devsq = ((newh - double_lorgauss(newbins, pars)) ** 2).sum()
if sum_devsq < sum_devsq_best:
sum_devsq_best = sum_devsq
outkeep = out
return outkeep.params['mu'].value, abs(outkeep.params['sig1'].value), abs(
outkeep.params['sig2'].value), abs(outkeep.params['gam1'].value), abs(
outkeep.params['gam2'].value), abs(outkeep.params['G1'].value), abs(
outkeep.params['G2'].value)
| fit_double_lorgauss | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bins, h, Ntry=5):\n try:\n from lmfit import minimize, Parameters, Parameter, report_fit\n except ImportError:\n raise ImportError('you nee... |
def x(x, p):
mu, sig1, sig2 = p
x = np.atleast_1d(x)
A = 1.0 / (np.sqrt(2 * np.pi) * (sig1 + sig2) / 2.0)
ylo = A * np.exp(-(x - mu) ** 2 / (2 * sig1 ** 2))
yhi = A * np.exp(-(x - mu) ** 2 / (2 * sig2 ** 2))
y = x * 0
wlo = np.where(x < mu)
whi = np.where(x >= mu)
y[wlo] = ylo[wlo]
y[whi] = yhi[whi]
if np.size(x) == 1:
return y[0]
else:
return y
| doublegauss | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, p):\n mu, sig1, sig2 = p\n x = np.atleast_1d(x)\n A = 1.0 / (np.sqrt(2 * np.pi) * (sig1 + sig2) / 2.0)\n ylo = A * np.exp(-(x - mu) ** 2 / (2 * ... |
def x(x, p):
x = np.atleast_1d(x)
mu, sig1, sig2 = p
sig1 = np.absolute(sig1)
sig2 = np.absolute(sig2)
ylo = float(sig1) / (sig1 + sig2) * (1 + erf((x - mu) / np.sqrt(2 *
sig1 ** 2)))
yhi = float(sig1) / (sig1 + sig2) + float(sig2) / (sig1 + sig2) * erf((
x - mu) / np.sqrt(2 * sig2 ** 2))
lo = x < mu
hi = x >= mu
return ylo * lo + yhi * hi
| doublegauss_cdf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, p):\n x = np.atleast_1d(x)\n mu, sig1, sig2 = p\n sig1 = np.absolute(sig1)\n sig2 = np.absolute(sig2)\n ylo = float(sig1) / (sig1 + sig2) * (... |
def x(samples, **kwargs):
sorted_samples = np.sort(samples)
N = len(samples)
med = sorted_samples[N / 2]
siglo = med - sorted_samples[int(0.16 * N)]
sighi = sorted_samples[int(0.84 * N)] - med
return fit_doublegauss(med, siglo, sighi, median=True, **kwargs)
| fit_doublegauss_samples | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(samples, **kwargs):\n sorted_samples = np.sort(samples)\n N = len(samples)\n med = sorted_samples[N / 2]\n siglo = med - sorted_samples[int(0.16 * ... |
def x(med, siglo, sighi, interval=0.683, p0=None, median=False,
return_distribution=True):
if median:
q1 = 0.5 - interval / 2
q2 = 0.5 + interval / 2
targetvals = np.array([med - siglo, med, med + sighi])
qvals = np.array([q1, 0.5, q2])
def x(pars):
logging.debug('{}'.format(pars))
logging.debug('{} {}'.format(doublegauss_cdf(targetvals, pars),
qvals))
return doublegauss_cdf(targetvals, pars) - qvals
if p0 is None:
p0 = [med, siglo, sighi]
pfit, success = leastsq(objfn, p0)
else:
q1 = 0.5 - interval / 2
q2 = 0.5 + interval / 2
targetvals = np.array([med - siglo, med + sighi])
qvals = np.array([q1, q2])
def x(pars):
params = med, pars[0], pars[1]
return doublegauss_cdf(targetvals, params) - qvals
if p0 is None:
p0 = [siglo, sighi]
pfit, success = leastsq(objfn, p0)
pfit = med, pfit[0], pfit[1]
if return_distribution:
dist = DoubleGauss_Distribution(*pfit)
return dist
else:
return pfit
| fit_doublegauss | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(med, siglo, sighi, interval=0.683, p0=None, median=False,\n return_distribution=True):\n if median:\n q1 = 0.5 - interval / 2\n q2 = 0.5 + ... |
def x(self, pct, res=1000):
grid = np.linspace(self.minval, self.maxval, res)
return grid[np.argmin(np.absolute(pct - self.cdf(grid)))]
| pctile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pct, res=1000):\n grid = np.linspace(self.minval, self.maxval, res)\n return grid[np.argmin(np.absolute(pct - self.cdf(grid)))]\n",
"role": "us... |
def x(self, filename, path='', res=1000, logspace=False):
if logspace:
vals = np.logspace(np.log10(self.minval), np.log10(self.maxval), res)
else:
vals = np.linspace(self.minval, self.maxval, res)
d = {'vals': vals, 'pdf': self(vals), 'cdf': self.cdf(vals)}
df = pd.DataFrame(d)
df.to_hdf(filename, path + '/fns')
if hasattr(self, 'samples'):
s = pd.Series(self.samples)
s.to_hdf(filename, path + '/samples')
store = pd.HDFStore(filename)
attrs = store.get_storer('{}/fns'.format(path)).attrs
attrs.keywords = self.keywords
attrs.disttype = type(self)
store.close()
| save_hdf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename, path='', res=1000, logspace=False):\n if logspace:\n vals = np.logspace(np.log10(self.minval), np.log10(self.maxval), res)\n else:... |
def x(self, minval=None, maxval=None, fig=None, log=False, npts=500, **kwargs):
if minval is None:
minval = self.minval
if maxval is None:
maxval = self.maxval
if maxval == np.inf or minval == -np.inf:
raise ValueError(
'must have finite upper and lower bounds to plot. (use minval, maxval kws)'
)
if log:
xs = np.logspace(np.log10(minval), np.log10(maxval), npts)
else:
xs = np.linspace(minval, maxval, npts)
setfig(fig)
plt.plot(xs, self(xs), **kwargs)
plt.xlabel(self.name)
plt.ylim(ymin=0, ymax=self(xs).max() * 1.2)
| plot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, minval=None, maxval=None, fig=None, log=False, npts=500, **kwargs):\n if minval is None:\n minval = self.minval\n if maxval is None:\n ... |
def x(self, N, minval=None, maxval=None, log=False, res=10000.0):
N = int(N)
if minval is None:
if hasattr(self, 'minval_cdf'):
minval = self.minval_cdf
else:
minval = self.minval
if maxval is None:
if hasattr(self, 'maxval_cdf'):
maxval = self.maxval_cdf
else:
maxval = self.maxval
if maxval == np.inf or minval == -np.inf:
raise ValueError(
'must have finite upper and lower bounds to resample. (set minval, maxval kws)'
)
u = rand.random(size=N)
if log:
vals = np.logspace(log10(minval), log10(maxval), res)
else:
vals = np.linspace(minval, maxval, res)
ys, yinds = np.unique(self.cdf(vals), return_index=True)
vals = vals[yinds]
inds = np.digitize(u, ys)
return vals[inds]
| resample | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, N, minval=None, maxval=None, log=False, res=10000.0):\n N = int(N)\n if minval is None:\n if hasattr(self, 'minval_cdf'):\n minva... |
def x(self, fig=None, **kwargs):
setfig(fig)
plt.hist(self.samples, bins=self.bins, **kwargs)
| plothist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fig=None, **kwargs):\n setfig(fig)\n plt.hist(self.samples, bins=self.bins, **kwargs)\n",
"role": "user"
},
{
"content": "plothist",
... |
def x(self, N):
inds = rand.randint(len(self.samples), size=N)
return self.samples[inds]
| resample | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, N):\n inds = rand.randint(len(self.samples), size=N)\n return self.samples[inds]\n",
"role": "user"
},
{
"content": "resample",
"ro... |
def x(self, N):
return rand.random(size=N) * (self.maxval - self.minval) + self.minval
| resample | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, N):\n return rand.random(size=N) * (self.maxval - self.minval) + self.minval\n",
"role": "user"
},
{
"content": "resample",
"role": "a... |
def x(self, N, **kwargs):
lovals = self.mu - np.absolute(rand.normal(size=N) * self.siglo)
hivals = self.mu + np.absolute(rand.normal(size=N) * self.sighi)
u = rand.random(size=N)
hi = u < float(self.sighi) / (self.sighi + self.siglo)
lo = u >= float(self.sighi) / (self.sighi + self.siglo)
vals = np.zeros(N)
vals[hi] = hivals[hi]
vals[lo] = lovals[lo]
return vals
| resample | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, N, **kwargs):\n lovals = self.mu - np.absolute(rand.normal(size=N) * self.siglo)\n hivals = self.mu + np.absolute(rand.normal(size=N) * self.sighi)... |
def x(myfunc):
def x(*args, **kwargs):
if PY3:
return myfunc(*args, **kwargs)
else:
return myfunc(*args, **kwargs).encode()
return inner_func
| tzname_in_python2 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(myfunc):\n\n def x(*args, **kwargs):\n if PY3:\n return myfunc(*args, **kwargs)\n else:\n return myfunc(*args, **kwargs)... |
def x(iterable, *args, **kwargs):
if len(args) == 0:
num_prev, num_next = 0, 1
elif len(args) == 1:
num_prev, num_next = 0, args[0]
elif len(args) == 2:
num_prev, num_next = args[0], args[1]
else:
raise TypeError('%s() takes 1, 2, or 3 arguments (%d given)' % (
lookahead.__name__, len(args)))
iterator = iter(iterable)
lst = [None] * num_prev + [iterator.next()]
for x in xrange(num_next):
try:
lst.append(iterator.next())
except StopIteration:
lst.append(None)
num_next -= 1
for item in iterator:
yield tuple(lst)
lst = lst[1:] + [item]
for x in xrange(num_next + 1):
yield tuple(lst)
lst = lst[1:] + [None]
raise StopIteration
| lookahead | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(iterable, *args, **kwargs):\n if len(args) == 0:\n num_prev, num_next = 0, 1\n elif len(args) == 1:\n num_prev, num_next = 0, args[0]\n ... |
def x(space):
arcs = {}
for name in space.variables:
arcs[name] = set([])
for const in space.constraints:
for vname1, vname2 in product(const.vnames, const.vnames):
if vname1 != vname2:
arcs[vname1].add(vname2)
for vname in space.variables:
for const in space.constraints:
_unary(space, const, vname)
worklist = set([])
for v1 in space.variables:
for v2 in space.variables:
for const in space.constraints:
if _binary(space, const, v1, v2):
for name in arcs[v1]:
worklist.add((v1, name))
while worklist:
v1, v2 = worklist.pop()
for const in space.constraints:
if _binary(space, const, v1, v2):
for vname in arcs[v1]:
worklist.add((v1, vname))
| ac3 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(space):\n arcs = {}\n for name in space.variables:\n arcs[name] = set([])\n for const in space.constraints:\n for vname1, vname2 in prod... |
def x(space, const, name):
if not name in const.vnames:
return False
if space.variables[name].discrete:
values = const.domains[name]
else:
values = const.domains[name]
space.domains[name] = space.domains[name].intersection(values)
return True
| unary | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(space, const, name):\n if not name in const.vnames:\n return False\n if space.variables[name].discrete:\n values = const.domains[name]\n ... |
def x(space, const, name1, name2):
if not (name1 in const.vnames and name2 in const.vnames):
return False
remove = set([])
for v1 in space.domains[name1].iter_members():
for v2 in space.domains[name2].iter_members():
if const.consistent({name1: v1, name2: v2}):
break
else:
remove.add(v1)
if len(remove) > 0:
if space.variables[name1].discrete:
remove = DiscreteSet(remove)
else:
remove = IntervalSet.from_values(remove)
space.domains[name1] = space.domains[name1].difference(remove)
return True
else:
return False
| binary | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(space, const, name1, name2):\n if not (name1 in const.vnames and name2 in const.vnames):\n return False\n remove = set([])\n for v1 in space.do... |
def x(space, method='backtrack', ordering=None):
if ordering is None:
ordering = list(space.variables.keys())
if not space.is_discrete():
raise ValueError('Can not backtrack on non-discrete space')
if method == 'backtrack':
for label in _backtrack(space, {}, ordering):
yield label
elif method == 'ac-lookahead':
for label in _lookahead(space, {}, ordering):
yield label
else:
raise ValueError('Unknown solution method: %s' % method)
| solve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(space, method='backtrack', ordering=None):\n if ordering is None:\n ordering = list(space.variables.keys())\n if not space.is_discrete():\n ... |
def x(task):
args, varargs, keywords, defaults = inspect.getargspec(task)
defaults = defaults or []
parser = argparse.ArgumentParser(prog='ape ' + task.__name__, add_help=
False, description=task.__doc__, formatter_class=argparse.
ArgumentDefaultsHelpFormatter)
posargslen = len(args) - len(defaults)
if varargs is None and keywords is None:
for idx, arg in enumerate(args):
if idx < posargslen:
parser.add_argument(arg)
else:
default = defaults[idx - posargslen]
parser.add_argument('--' + arg, default=default)
return parser, False
elif not args and varargs and not keywords and not defaults:
return parser, True
else:
raise InvalidTask(ERRMSG_UNSUPPORTED_SIG % task.__name__)
| get_task_parser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(task):\n args, varargs, keywords, defaults = inspect.getargspec(task)\n defaults = defaults or []\n parser = argparse.ArgumentParser(prog='ape ' + tas... |
def x(task, args):
parser, proxy_args = get_task_parser(task)
if proxy_args:
return task(*args)
else:
pargs = parser.parse_args(args)
return task(**vars(pargs))
| invoke_task | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(task, args):\n parser, proxy_args = get_task_parser(task)\n if proxy_args:\n return task(*args)\n else:\n pargs = parser.parse_args(args... |
def x(feature):
try:
importlib.import_module(feature)
except ImportError:
raise FeatureNotFound(feature)
tasks_module = None
try:
tasks_module = importlib.import_module(feature + '.apetasks')
except ImportError:
pass
try:
tasks_module = importlib.import_module(feature + '.tasks')
except ImportError:
pass
return tasks_module
| get_task_module | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(feature):\n try:\n importlib.import_module(feature)\n except ImportError:\n raise FeatureNotFound(feature)\n tasks_module = None\n tr... |
def x(args, features=None):
features = features or []
for feature in features:
tasks_module = get_task_module(feature)
if tasks_module:
tasks.superimpose(tasks_module)
if len(args) < 2 or len(args) == 2 and args[1] == 'help':
tasks.help()
else:
taskname = args[1]
try:
task = tasks.get_task(taskname, include_helpers=False)
except TaskNotFound:
print(
'Task "%s" not found! Use "ape help" to get usage information.'
% taskname)
else:
remaining_args = args[2:] if len(args) > 2 else []
invoke_task(task, remaining_args)
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args, features=None):\n features = features or []\n for feature in features:\n tasks_module = get_task_module(feature)\n if tasks_module:\n... |
def x():
features = os.environ.get('APE_PREPEND_FEATURES', '').split()
inline_features = os.environ.get('PRODUCT_EQUATION', '').split()
if inline_features:
features += inline_features
else:
feature_file = os.environ.get('PRODUCT_EQUATION_FILENAME', '')
if feature_file:
features += get_features_from_equation_file(feature_file)
elif not features:
raise EnvironmentIncomplete(
"""Error running ape:
Either the PRODUCT_EQUATION or PRODUCT_EQUATION_FILENAME environment variable needs to be set!"""
)
run(sys.argv, features=features)
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n features = os.environ.get('APE_PREPEND_FEATURES', '').split()\n inline_features = os.environ.get('PRODUCT_EQUATION', '').split()\n if inline_feat... |
def x(self):
if self.symlink:
if sys.platform == 'win32':
raise CommandError(
'Symlinking is not supported by this platform (%s).' % sys.
platform)
if not self.local:
raise CommandError("Can't symlink to a remote destination.")
if self.clear:
self.clear_dir('')
handler = self._get_handler()
do_post_process = self.post_process and hasattr(self.storage,
'post_process')
found_files = SortedDict()
for finder in finders.get_finders():
for path, storage in finder.list(self.ignore_patterns):
if getattr(storage, 'prefix', None):
prefixed_path = os.path.join(storage.prefix, path)
else:
prefixed_path = path
if prefixed_path not in found_files:
found_files[prefixed_path] = storage, path
handler(path, prefixed_path, storage)
if self.progressive_post_process and do_post_process:
try:
self._post_process({prefixed_path: (storage, path)},
self.dry_run)
except ValueError as e:
message = (
'%s current storage requires all files to have been collected first. Try ecstatic.storage.CachedStaticFilesStorage'
% e)
raise ValueError(message)
if not self.progressive_post_process and do_post_process:
self._post_process(found_files, self.dry_run)
return {'modified': self.copied_files + self.symlinked_files,
'unmodified': self.unmodified_files, 'post_processed': self.
post_processed_files}
| collect | [
{
"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.symlink:\n if sys.platform == 'win32':\n raise CommandError(\n 'Symlinking is not supported by this platfo... |
def x(self, path, prefixed_path, source_storage):
comparitor = getattr(self, 'compare_%s' % self.comparison_method, None)
if not comparitor:
comparitor = self._create_comparitor(self.comparison_method)
return comparitor(path, prefixed_path, source_storage)
| compare | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, prefixed_path, source_storage):\n comparitor = getattr(self, 'compare_%s' % self.comparison_method, None)\n if not comparitor:\n compa... |
def x(config):
global baseurl
baseurl = config['DEFAULT']['baseurl']
if 'session' in config['DEFAULT']:
cookies = {'PHPSESSID': config['DEFAULT']['session']}
prof_session.cookies = requests.utils.cookiejar_from_dict(cookies)
try:
valid = verify_session(prof_session, baseurl)
if not valid:
get_session(prof_session, baseurl, config)
return prof_session
except:
print('{baseurl} not reachable. Verify your connection'.format(
baseurl=baseurl))
exit(1)
| initiate_session | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config):\n global baseurl\n baseurl = config['DEFAULT']['baseurl']\n if 'session' in config['DEFAULT']:\n cookies = {'PHPSESSID': config['DEFAU... |
def x(session, baseurl):
request = session.post(baseurl + '/select_projet.php')
return VERIFY_SESSION_STRING in request.content.decode('iso-8859-1')
| verify_session | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(session, baseurl):\n request = session.post(baseurl + '/select_projet.php')\n return VERIFY_SESSION_STRING in request.content.decode('iso-8859-1')\n",
... |
def x(session, baseurl, config):
if environ.get('HTTP_PROXY'):
myProxy = environ.get('HTTP_PROXY')
proxy = Proxy({'proxyType': ProxyType.MANUAL, 'httpProxy': myProxy,
'ftpProxy': myProxy, 'sslProxy': myProxy, 'noProxy': ''})
else:
proxy = None
if 'login' in config['DEFAULT']:
login, password = credentials(config['DEFAULT']['login'])
else:
login, password = credentials()
browser = webdriver.Firefox(proxy=proxy)
browser.get(baseurl)
browser.find_element_by_name('login').send_keys(login)
browser.find_element_by_name('passwd').send_keys(password)
cookie = {'PHPSESSID': browser.get_cookie('PHPSESSID')['value']}
prof_session.cookies = requests.utils.cookiejar_from_dict(cookie)
print('Please log using firefox')
while True:
try:
browser.find_element_by_css_selector('select')
break
except:
sleep(0.5)
browser.close()
set_sessid(cookie['PHPSESSID'])
if not verify_session(session, baseurl):
print('Cannot get a valid session, retry')
get_session(session, baseurl, {'DEFAULT': {}})
| get_session | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(session, baseurl, config):\n if environ.get('HTTP_PROXY'):\n myProxy = environ.get('HTTP_PROXY')\n proxy = Proxy({'proxyType': ProxyType.MANUA... |
def x(login=None):
if not login:
login = environ.get('PROF_LOGIN')
password = environ.get('PROF_PASSWORD')
if not login:
try:
login = input('login? ')
print(
"\t\tDon't get prompted everytime. Store your login in the ``~/.profrc`` config file"
)
except KeyboardInterrupt:
exit(0)
if not password:
try:
password = getpass.getpass('pass for {0} ? '.format(login))
except KeyboardInterrupt:
exit(0)
return login, password
| credentials | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(login=None):\n if not login:\n login = environ.get('PROF_LOGIN')\n password = environ.get('PROF_PASSWORD')\n if not login:\n try:\n ... |
def x(self, terms):
if len(terms) <= self.n:
return terms
if self.n == 1:
n_grams = [[term] for term in terms]
else:
n_grams = []
for i in range(0, len(terms) - self.n + 1):
n_grams.append(terms[i:i + self.n])
return n_grams
| to_ngrams | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, terms):\n if len(terms) <= self.n:\n return terms\n if self.n == 1:\n n_grams = [[term] for term in terms]\n else:\n n_gram... |
def x(self, terms):
lpad = rpad = []
if self.lpad:
lpad = [self.lpad] * (self.n - 1)
if self.rpad:
rpad = [self.rpad] * (self.n - 1)
return lpad + terms + rpad
| lr_padding | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, terms):\n lpad = rpad = []\n if self.lpad:\n lpad = [self.lpad] * (self.n - 1)\n if self.rpad:\n rpad = [self.rpad] * (self.n - 1)... |
def x(self, doc_id='', doc_terms=[], doc_length=-1):
if doc_length == -1:
self.update_lengths(doc_id=doc_id, doc_length=len(doc_terms))
else:
self.update_lengths(doc_id=doc_id, doc_length=int(doc_length))
for term in doc_terms:
self.vocabulary.add(term)
terms = self.lr_padding(doc_terms)
ngrams = self.to_ngrams(terms)
self.update_counts(doc_id, ngrams)
| add_doc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, doc_id='', doc_terms=[], doc_length=-1):\n if doc_length == -1:\n self.update_lengths(doc_id=doc_id, doc_length=len(doc_terms))\n else:\n ... |
def x(self):
response = None
root = tkinter.Tk()
root.withdraw()
while response is not True:
response = tkinter.messagebox.askokcancel(title=self.title, message
=self.pre_message)
if self.post_message:
print(self.post_message)
self.exit_time = time.time()
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n response = None\n root = tkinter.Tk()\n root.withdraw()\n while response is not True:\n response = tkinter.messagebox.askokcancel(t... |
def x(url, file=None):
import urllib.request
import shutil
if isinstance(file, str):
file = open(file, 'wb')
try:
with urllib.request.urlopen(url) as response:
if file:
shutil.copyfileobj(response, file)
else:
return response.read()
finally:
if file:
file.close()
| download | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, file=None):\n import urllib.request\n import shutil\n if isinstance(file, str):\n file = open(file, 'wb')\n try:\n with urllib.r... |
def x(tar_url, folder, tar_filename=''):
try:
makedirs(folder)
except OSError:
if not isdir(folder):
raise
data_file = tar_filename
if not data_file:
fd, data_file = mkstemp('.tar.gz')
download(tar_url, os.fdopen(fd, 'wb'))
else:
download(tar_url, data_file)
with tarfile.open(data_file) as tar:
tar.extractall(path=folder)
| download_extract_tar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tar_url, folder, tar_filename=''):\n try:\n makedirs(folder)\n except OSError:\n if not isdir(folder):\n raise\n data_file = ... |
def x(tar_url, folder, md5_url='{tar_url}.md5', on_download=lambda : None,
on_complete=lambda : None):
data_file = join(folder, basename(tar_url))
md5_url = md5_url.format(tar_url=tar_url)
try:
remote_md5 = download(md5_url).decode('utf-8').split(' ')[0]
except (UnicodeDecodeError, URLError):
raise ValueError('Invalid MD5 url: ' + md5_url)
if remote_md5 != calc_md5(data_file):
on_download()
if isfile(data_file):
try:
with tarfile.open(data_file) as tar:
for i in reversed(list(tar)):
try:
os.remove(join(folder, i.path))
except OSError:
pass
except (OSError, EOFError):
pass
download_extract_tar(tar_url, folder, data_file)
on_complete()
if remote_md5 != calc_md5(data_file):
raise ValueError('MD5 url does not match tar: ' + md5_url)
return True
return False
| install_package | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tar_url, folder, md5_url='{tar_url}.md5', on_download=lambda : None,\n on_complete=lambda : None):\n data_file = join(folder, basename(tar_url))\n md5... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.