source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, other, settings, ratio=False):
first = compare_name_component(self.first_list, other.first_list,
settings['first'], ratio)
if settings['check_nickname']:
if first is False:
first = compare_name_component(self.nickname_list, other.
first_list, settings['first'], ratio
) or compare_name_component(self.first_list, other.
nickname_list, settings['first'], ratio)
elif ratio and first is not 100:
first = max(compare_name_component(self.nickname_list, other.
first_list, settings['first'], ratio),
compare_name_component(self.first_list, other.nickname_list,
settings['first'], ratio), first)
middle = compare_name_component(self.middle_list, other.middle_list,
settings['middle'], ratio)
last = compare_name_component(self.last_list, other.last_list, settings
['last'], ratio)
return first, middle, last
|
compare_components
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other, settings, ratio=False):\n first = compare_name_component(self.first_list, other.first_list,\n settings['first'], ratio)\n if settings['check_nickname']:\n if first is False:\n first = compare_name_component(self.nickname_list, other.\n first_list, settings['first'], ratio\n ) or compare_name_component(self.first_list, other.\n nickname_list, settings['first'], ratio)\n elif ratio and first is not 100:\n first = max(compare_name_component(self.nickname_list, other.\n first_list, settings['first'], ratio),\n compare_name_component(self.first_list, other.nickname_list,\n settings['first'], ratio), first)\n middle = compare_name_component(self.middle_list, other.middle_list,\n settings['middle'], ratio)\n last = compare_name_component(self.last_list, other.last_list, settings\n ['last'], ratio)\n return first, middle, last\n",
"role": "user"
},
{
"content": "compare_components",
"role": "assistant"
}
] |
def x(self, other, settings):
first_is_used = settings['first']['required'] or self.first and other.first
first_weight = settings['first']['weight'] if first_is_used else 0
middle_is_used = settings['middle']['required'
] or self.middle and other.middle
middle_weight = settings['middle']['weight'] if middle_is_used else 0
last_is_used = settings['last']['required'] or self.last and other.last
last_weight = settings['last']['weight'] if last_is_used else 0
return first_weight, middle_weight, last_weight
|
determine_weights
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other, settings):\n first_is_used = settings['first']['required'] or self.first and other.first\n first_weight = settings['first']['weight'] if first_is_used else 0\n middle_is_used = settings['middle']['required'\n ] or self.middle and other.middle\n middle_weight = settings['middle']['weight'] if middle_is_used else 0\n last_is_used = settings['last']['required'] or self.last and other.last\n last_weight = settings['last']['weight'] if last_is_used else 0\n return first_weight, middle_weight, last_weight\n",
"role": "user"
},
{
"content": "determine_weights",
"role": "assistant"
}
] |
def x(self, app):
self.enabled = app.config.setdefault(C.ENABLED, True)
self._swallow_errors = app.config.setdefault(C.SWALLOW_ERRORS, self.
_swallow_errors)
self._storage_options.update(app.config.get(C.STORAGE_OPTIONS, {}))
self._storage = storage_from_string(self._storage_uri or app.config.
setdefault(C.STORAGE_URL, 'memory://'), **self._storage_options)
strategy = self._strategy or app.config.setdefault(C.STRATEGY,
'fixed-window')
if strategy not in STRATEGIES:
raise ConfigurationError('Invalid rate limiting strategy %s' % strategy
)
self._limiter = STRATEGIES[strategy](self._storage)
conf_limits = app.config.get(C.GLOBAL_LIMITS, None)
if not self._global_limits and conf_limits:
self._global_limits = [ExtLimit(limit, self._key_func, None, False,
None, None, None) for limit in parse_many(conf_limits)]
app.request_middleware.append(self.__check_request_limit)
|
init_app
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app):\n self.enabled = app.config.setdefault(C.ENABLED, True)\n self._swallow_errors = app.config.setdefault(C.SWALLOW_ERRORS, self.\n _swallow_errors)\n self._storage_options.update(app.config.get(C.STORAGE_OPTIONS, {}))\n self._storage = storage_from_string(self._storage_uri or app.config.\n setdefault(C.STORAGE_URL, 'memory://'), **self._storage_options)\n strategy = self._strategy or app.config.setdefault(C.STRATEGY,\n 'fixed-window')\n if strategy not in STRATEGIES:\n raise ConfigurationError('Invalid rate limiting strategy %s' % strategy\n )\n self._limiter = STRATEGIES[strategy](self._storage)\n conf_limits = app.config.get(C.GLOBAL_LIMITS, None)\n if not self._global_limits and conf_limits:\n self._global_limits = [ExtLimit(limit, self._key_func, None, False,\n None, None, None) for limit in parse_many(conf_limits)]\n app.request_middleware.append(self.__check_request_limit)\n",
"role": "user"
},
{
"content": "init_app",
"role": "assistant"
}
] |
def x(self, limit_value, key_func=None, per_method=False, methods=None,
error_message=None, exempt_when=None):
return self.__limit_decorator(limit_value, key_func, per_method=
per_method, methods=methods, error_message=error_message,
exempt_when=exempt_when)
|
limit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, limit_value, key_func=None, per_method=False, methods=None,\n error_message=None, exempt_when=None):\n return self.__limit_decorator(limit_value, key_func, per_method=\n per_method, methods=methods, error_message=error_message,\n exempt_when=exempt_when)\n",
"role": "user"
},
{
"content": "limit",
"role": "assistant"
}
] |
def x(self, limit_value, scope, key_func=None, error_message=None,
exempt_when=None):
return self.__limit_decorator(limit_value, key_func, True, scope,
error_message=error_message, exempt_when=exempt_when)
|
shared_limit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, limit_value, scope, key_func=None, error_message=None,\n exempt_when=None):\n return self.__limit_decorator(limit_value, key_func, True, scope,\n error_message=error_message, exempt_when=exempt_when)\n",
"role": "user"
},
{
"content": "shared_limit",
"role": "assistant"
}
] |
def x(self):
try:
self._storage.reset()
self.logger.info('Storage has been reset and all limits cleared')
except NotImplementedError:
self.logger.warning('This storage type does not support being reset')
|
reset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n self._storage.reset()\n self.logger.info('Storage has been reset and all limits cleared')\n except NotImplementedError:\n self.logger.warning('This storage type does not support being reset')\n",
"role": "user"
},
{
"content": "reset",
"role": "assistant"
}
] |
def x(page=''):
content = requests.get('%s/%s' % (BASE_URL, page)).text
return BeautifulSoup(content)
|
get_soup
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(page=''):\n content = requests.get('%s/%s' % (BASE_URL, page)).text\n return BeautifulSoup(content)\n",
"role": "user"
},
{
"content": "get_soup",
"role": "assistant"
}
] |
def x(fullname1, fullname2, strictness='default', options=None):
if options is not None:
settings = deepcopy(SETTINGS[strictness])
deep_update_dict(settings, options)
else:
settings = SETTINGS[strictness]
name1 = Name(fullname1)
name2 = Name(fullname2)
return name1.deep_compare(name2, settings)
|
match
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fullname1, fullname2, strictness='default', options=None):\n if options is not None:\n settings = deepcopy(SETTINGS[strictness])\n deep_update_dict(settings, options)\n else:\n settings = SETTINGS[strictness]\n name1 = Name(fullname1)\n name2 = Name(fullname2)\n return name1.deep_compare(name2, settings)\n",
"role": "user"
},
{
"content": "match",
"role": "assistant"
}
] |
def x(fullname1, fullname2, strictness='default', options=None):
if options is not None:
settings = deepcopy(SETTINGS[strictness])
deep_update_dict(settings, options)
else:
settings = SETTINGS[strictness]
name1 = Name(fullname1)
name2 = Name(fullname2)
return name1.ratio_deep_compare(name2, settings)
|
ratio
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fullname1, fullname2, strictness='default', options=None):\n if options is not None:\n settings = deepcopy(SETTINGS[strictness])\n deep_update_dict(settings, options)\n else:\n settings = SETTINGS[strictness]\n name1 = Name(fullname1)\n name2 = Name(fullname2)\n return name1.ratio_deep_compare(name2, settings)\n",
"role": "user"
},
{
"content": "ratio",
"role": "assistant"
}
] |
def x(self, soup):
table = soup.findChildren('table')[2]
rows = table.findChildren(['tr'])[:-2]
spacing = range(2, len(rows), 3)
rows = [row for i, row in enumerate(rows) if i not in spacing]
info = [row for i, row in enumerate(rows) if i % 2 == 0]
detail = [row for i, row in enumerate(rows) if i % 2 != 0]
return zip(info, detail)
|
get_zipped_rows
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, soup):\n table = soup.findChildren('table')[2]\n rows = table.findChildren(['tr'])[:-2]\n spacing = range(2, len(rows), 3)\n rows = [row for i, row in enumerate(rows) if i not in spacing]\n info = [row for i, row in enumerate(rows) if i % 2 == 0]\n detail = [row for i, row in enumerate(rows) if i % 2 != 0]\n return zip(info, detail)\n",
"role": "user"
},
{
"content": "get_zipped_rows",
"role": "assistant"
}
] |
def x(self, all_rows):
all_stories = []
for info, detail in all_rows:
info_cells = info.findAll('td')
rank = int(info_cells[0].string[:-1])
title = '%s' % info_cells[2].find('a').string
link = info_cells[2].find('a').get('href')
is_self = False
if link.find('item?id=') is -1:
domain = info_cells[2].findAll('span')[1].string[2:-1]
else:
link = '%s/%s' % (BASE_URL, link)
domain = BASE_URL
is_self = True
detail_cell = detail.findAll('td')[1]
detail_concern = detail_cell.contents
num_comments = -1
if re.match('^(\\d+)\\spoint.*', detail_concern[0].string) is not None:
points = int(re.match('^(\\d+)\\spoint.*', detail_concern[0].
string).groups()[0])
submitter = '%s' % detail_concern[2].string
submitter_profile = '%s/%s' % (BASE_URL, detail_concern[2].get(
'href'))
published_time = ' '.join(detail_concern[3].strip().split()[:3])
comment_tag = detail_concern[4]
story_id = int(re.match('.*=(\\d+)', comment_tag.get('href')).
groups()[0])
comments_link = '%s/item?id=%d' % (BASE_URL, story_id)
comment_count = re.match('(\\d+)\\s.*', comment_tag.string)
try:
num_comments = int(comment_count.groups()[0])
except AttributeError:
num_comments = 0
else:
points = 0
submitter = ''
submitter_profile = ''
published_time = '%s' % detail_concern[0]
comment_tag = ''
try:
story_id = int(re.match('.*=(\\d+)', link).groups()[0])
except AttributeError:
story_id = -1
comments_link = ''
comment_count = -1
story = Story(rank, story_id, title, link, domain, points,
submitter, published_time, submitter_profile, num_comments,
comments_link, is_self)
all_stories.append(story)
return all_stories
|
build_story
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, all_rows):\n all_stories = []\n for info, detail in all_rows:\n info_cells = info.findAll('td')\n rank = int(info_cells[0].string[:-1])\n title = '%s' % info_cells[2].find('a').string\n link = info_cells[2].find('a').get('href')\n is_self = False\n if link.find('item?id=') is -1:\n domain = info_cells[2].findAll('span')[1].string[2:-1]\n else:\n link = '%s/%s' % (BASE_URL, link)\n domain = BASE_URL\n is_self = True\n detail_cell = detail.findAll('td')[1]\n detail_concern = detail_cell.contents\n num_comments = -1\n if re.match('^(\\\\d+)\\\\spoint.*', detail_concern[0].string) is not None:\n points = int(re.match('^(\\\\d+)\\\\spoint.*', detail_concern[0].\n string).groups()[0])\n submitter = '%s' % detail_concern[2].string\n submitter_profile = '%s/%s' % (BASE_URL, detail_concern[2].get(\n 'href'))\n published_time = ' '.join(detail_concern[3].strip().split()[:3])\n comment_tag = detail_concern[4]\n story_id = int(re.match('.*=(\\\\d+)', comment_tag.get('href')).\n groups()[0])\n comments_link = '%s/item?id=%d' % (BASE_URL, story_id)\n comment_count = re.match('(\\\\d+)\\\\s.*', comment_tag.string)\n try:\n num_comments = int(comment_count.groups()[0])\n except AttributeError:\n num_comments = 0\n else:\n points = 0\n submitter = ''\n submitter_profile = ''\n published_time = '%s' % detail_concern[0]\n comment_tag = ''\n try:\n story_id = int(re.match('.*=(\\\\d+)', link).groups()[0])\n except AttributeError:\n story_id = -1\n comments_link = ''\n comment_count = -1\n story = Story(rank, story_id, title, link, domain, points,\n submitter, published_time, submitter_profile, num_comments,\n comments_link, is_self)\n all_stories.append(story)\n return all_stories\n",
"role": "user"
},
{
"content": "build_story",
"role": "assistant"
}
] |
def x(self, story_type='', limit=30):
if limit is None or limit < 1 or limit > 30:
limit = 30
stories_found = 0
while stories_found < limit:
soup = get_soup(page=story_type)
all_rows = self._get_zipped_rows(soup)
stories = self._build_story(all_rows)
for story in stories:
yield story
stories_found += 1
if stories_found == limit:
return
|
get_stories
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, story_type='', limit=30):\n if limit is None or limit < 1 or limit > 30:\n limit = 30\n stories_found = 0\n while stories_found < limit:\n soup = get_soup(page=story_type)\n all_rows = self._get_zipped_rows(soup)\n stories = self._build_story(all_rows)\n for story in stories:\n yield story\n stories_found += 1\n if stories_found == limit:\n return\n",
"role": "user"
},
{
"content": "get_stories",
"role": "assistant"
}
] |
def x(self, limit=10):
if limit is None:
limit = 10
soup = get_soup('leaders')
table = soup.find('table')
leaders_table = table.find_all('table')[1]
listleaders = leaders_table.find_all('tr')[2:]
listleaders.pop(10)
for i, leader in enumerate(listleaders):
if i == limit:
return
if not leader.text == '':
item = leader.find_all('td')
yield User(item[1].text, '', item[2].text, item[3].text)
|
get_leaders
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, limit=10):\n if limit is None:\n limit = 10\n soup = get_soup('leaders')\n table = soup.find('table')\n leaders_table = table.find_all('table')[1]\n listleaders = leaders_table.find_all('tr')[2:]\n listleaders.pop(10)\n for i, leader in enumerate(listleaders):\n if i == limit:\n return\n if not leader.text == '':\n item = leader.find_all('td')\n yield User(item[1].text, '', item[2].text, item[3].text)\n",
"role": "user"
},
{
"content": "get_leaders",
"role": "assistant"
}
] |
def x(self, soup, current_page):
if current_page == 1:
table = soup.findChildren('table')[3]
elif current_page > 1:
table = soup.findChildren('table')[2]
anchor = table.findChildren(['tr'])[-1].find('a')
if anchor and anchor.text == u'More':
return anchor.get('href').lstrip(BASE_URL)
else:
return None
|
get_next_page
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, soup, current_page):\n if current_page == 1:\n table = soup.findChildren('table')[3]\n elif current_page > 1:\n table = soup.findChildren('table')[2]\n anchor = table.findChildren(['tr'])[-1].find('a')\n if anchor and anchor.text == u'More':\n return anchor.get('href').lstrip(BASE_URL)\n else:\n return None\n",
"role": "user"
},
{
"content": "get_next_page",
"role": "assistant"
}
] |
def x(self, soup):
comments = []
current_page = 1
while True:
if current_page == 1:
table = soup.findChildren('table')[3]
elif current_page > 1:
table = soup.findChildren('table')[2]
rows = table.findChildren(['tr'])
rows = rows[:len(rows) - 2]
rows = [row for i, row in enumerate(rows) if i % 2 == 0]
if len(rows) > 1:
for row in rows:
if not row.findChildren('td'):
continue
level = int(row.findChildren('td')[1].find('img').get('width')
) // 40
spans = row.findChildren('td')[3].findAll('span')
if str(spans[0]) != '<span class="comhead"></span>':
user = spans[0].contents[0].string
time_ago = spans[0].contents[1].string.strip().rstrip(' |')
try:
comment_id = int(re.match('item\\?id=(.*)', spans[0
].contents[2].get('href')).groups()[0])
except AttributeError:
comment_id = int(re.match('%s/item\\?id=(.*)' %
BASE_URL, spans[0].contents[2].get('href')).
groups()[0])
body = spans[1].text
if body[-2:] == '--':
body = body[:-5]
try:
pat = re.compile(
'<span class="comment"><font color=".*">(.*)</font></span>'
)
body_html = re.match(pat, str(spans[1]).replace(
'\n', '')).groups()[0]
except AttributeError:
pat = re.compile(
'<span class="comment"><font color=".*">(.*)</font></p><p><font size="1">'
)
body_html = re.match(pat, str(spans[1]).replace(
'\n', '')).groups()[0]
else:
user = ''
time_ago = ''
comment_id = -1
body = '[deleted]'
body_html = '[deleted]'
comment = Comment(comment_id, level, user, time_ago, body,
body_html)
comments.append(comment)
next_page_url = self._get_next_page(soup, current_page)
if not next_page_url:
break
soup = get_soup(page=next_page_url)
current_page += 1
previous_comment = None
return comments
|
build_comments
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, soup):\n comments = []\n current_page = 1\n while True:\n if current_page == 1:\n table = soup.findChildren('table')[3]\n elif current_page > 1:\n table = soup.findChildren('table')[2]\n rows = table.findChildren(['tr'])\n rows = rows[:len(rows) - 2]\n rows = [row for i, row in enumerate(rows) if i % 2 == 0]\n if len(rows) > 1:\n for row in rows:\n if not row.findChildren('td'):\n continue\n level = int(row.findChildren('td')[1].find('img').get('width')\n ) // 40\n spans = row.findChildren('td')[3].findAll('span')\n if str(spans[0]) != '<span class=\"comhead\"></span>':\n user = spans[0].contents[0].string\n time_ago = spans[0].contents[1].string.strip().rstrip(' |')\n try:\n comment_id = int(re.match('item\\\\?id=(.*)', spans[0\n ].contents[2].get('href')).groups()[0])\n except AttributeError:\n comment_id = int(re.match('%s/item\\\\?id=(.*)' %\n BASE_URL, spans[0].contents[2].get('href')).\n groups()[0])\n body = spans[1].text\n if body[-2:] == '--':\n body = body[:-5]\n try:\n pat = re.compile(\n '<span class=\"comment\"><font color=\".*\">(.*)</font></span>'\n )\n body_html = re.match(pat, str(spans[1]).replace(\n '\\n', '')).groups()[0]\n except AttributeError:\n pat = re.compile(\n '<span class=\"comment\"><font color=\".*\">(.*)</font></p><p><font size=\"1\">'\n )\n body_html = re.match(pat, str(spans[1]).replace(\n '\\n', '')).groups()[0]\n else:\n user = ''\n time_ago = ''\n comment_id = -1\n body = '[deleted]'\n body_html = '[deleted]'\n comment = Comment(comment_id, level, user, time_ago, body,\n body_html)\n comments.append(comment)\n next_page_url = self._get_next_page(soup, current_page)\n if not next_page_url:\n break\n soup = get_soup(page=next_page_url)\n current_page += 1\n previous_comment = None\n return comments\n",
"role": "user"
},
{
"content": "build_comments",
"role": "assistant"
}
] |
def x(self, item_id):
if not item_id:
raise Exception('Need an item_id for a story')
soup = get_item_soup(item_id)
story_id = item_id
rank = -1
info_table = soup.findChildren('table')[2]
info_rows = info_table.findChildren('tr')
title_row = info_rows[0].findChildren('td')[1]
title = title_row.find('a').text
try:
domain = title_row.find('span').string[2:-2]
is_self = False
link = title_row.find('a').get('href')
except AttributeError:
domain = BASE_URL
is_self = True
link = '%s/item?id=%s' % (BASE_URL, item_id)
meta_row = info_rows[1].findChildren('td')[1].contents
points = int(re.match('^(\\d+)\\spoint.*', meta_row[0].text).groups()[0])
submitter = meta_row[2].text
submitter_profile = '%s/%s' % (BASE_URL, meta_row[2].get('href'))
published_time = ' '.join(meta_row[3].strip().split()[:3])
comments_link = '%s/item?id=%s' % (BASE_URL, item_id)
try:
num_comments = int(re.match('(\\d+)\\s.*', meta_row[4].text).groups
()[0])
except AttributeError:
num_comments = 0
story = Story(rank, story_id, title, link, domain, points, submitter,
published_time, submitter_profile, num_comments, comments_link, is_self
)
return story
|
fromid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item_id):\n if not item_id:\n raise Exception('Need an item_id for a story')\n soup = get_item_soup(item_id)\n story_id = item_id\n rank = -1\n info_table = soup.findChildren('table')[2]\n info_rows = info_table.findChildren('tr')\n title_row = info_rows[0].findChildren('td')[1]\n title = title_row.find('a').text\n try:\n domain = title_row.find('span').string[2:-2]\n is_self = False\n link = title_row.find('a').get('href')\n except AttributeError:\n domain = BASE_URL\n is_self = True\n link = '%s/item?id=%s' % (BASE_URL, item_id)\n meta_row = info_rows[1].findChildren('td')[1].contents\n points = int(re.match('^(\\\\d+)\\\\spoint.*', meta_row[0].text).groups()[0])\n submitter = meta_row[2].text\n submitter_profile = '%s/%s' % (BASE_URL, meta_row[2].get('href'))\n published_time = ' '.join(meta_row[3].strip().split()[:3])\n comments_link = '%s/item?id=%s' % (BASE_URL, item_id)\n try:\n num_comments = int(re.match('(\\\\d+)\\\\s.*', meta_row[4].text).groups\n ()[0])\n except AttributeError:\n num_comments = 0\n story = Story(rank, story_id, title, link, domain, points, submitter,\n published_time, submitter_profile, num_comments, comments_link, is_self\n )\n return story\n",
"role": "user"
},
{
"content": "fromid",
"role": "assistant"
}
] |
def x(list1, list2, settings, use_ratio=False):
if not list1[0] or not list2[0]:
not_required = not settings['required']
return not_required * 100 if use_ratio else not_required
if len(list1) != len(list2):
return False
compare_func = _ratio_compare if use_ratio else _normal_compare
return compare_func(list1, list2, settings)
|
compare_name_component
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(list1, list2, settings, use_ratio=False):\n if not list1[0] or not list2[0]:\n not_required = not settings['required']\n return not_required * 100 if use_ratio else not_required\n if len(list1) != len(list2):\n return False\n compare_func = _ratio_compare if use_ratio else _normal_compare\n return compare_func(list1, list2, settings)\n",
"role": "user"
},
{
"content": "compare_name_component",
"role": "assistant"
}
] |
def x(name1, name2):
if len(name1) == 0 or len(name2) == 0:
return False
if len(name1) == 1 or len(name2) == 1:
return name1[0] == name2[0]
return name1 == name2
|
equate_initial
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name1, name2):\n if len(name1) == 0 or len(name2) == 0:\n return False\n if len(name1) == 1 or len(name2) == 1:\n return name1[0] == name2[0]\n return name1 == name2\n",
"role": "user"
},
{
"content": "equate_initial",
"role": "assistant"
}
] |
def x(name1, name2):
if len(name1) == 0 or len(name2) == 0:
return False
return name1.startswith(name2) or name2.startswith(name1)
|
equate_prefix
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name1, name2):\n if len(name1) == 0 or len(name2) == 0:\n return False\n return name1.startswith(name2) or name2.startswith(name1)\n",
"role": "user"
},
{
"content": "equate_prefix",
"role": "assistant"
}
] |
def x(name1, name2):
nickname_regex = '(.)\\1(y|ie)$'
root_regex = '\\1'
name1 = re.sub(nickname_regex, root_regex, name1)
name2 = re.sub(nickname_regex, root_regex, name2)
if equate_prefix(name1, name2):
return True
return False
|
equate_nickname
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name1, name2):\n nickname_regex = '(.)\\\\1(y|ie)$'\n root_regex = '\\\\1'\n name1 = re.sub(nickname_regex, root_regex, name1)\n name2 = re.sub(nickname_regex, root_regex, name2)\n if equate_prefix(name1, name2):\n return True\n return False\n",
"role": "user"
},
{
"content": "equate_nickname",
"role": "assistant"
}
] |
def x(word):
if sys.version_info < (3, 0, 0):
word = unicode(word)
else:
word = str(word)
normalized = unicodedata.normalize('NFKD', word)
return normalized.encode('ascii', 'ignore').decode('utf-8')
|
make_ascii
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(word):\n if sys.version_info < (3, 0, 0):\n word = unicode(word)\n else:\n word = str(word)\n normalized = unicodedata.normalize('NFKD', word)\n return normalized.encode('ascii', 'ignore').decode('utf-8')\n",
"role": "user"
},
{
"content": "make_ascii",
"role": "assistant"
}
] |
def x(word1, word2):
raw_ratio = SequenceMatcher(None, word1, word2).ratio()
return int(round(100 * raw_ratio))
|
seq_ratio
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(word1, word2):\n raw_ratio = SequenceMatcher(None, word1, word2).ratio()\n return int(round(100 * raw_ratio))\n",
"role": "user"
},
{
"content": "seq_ratio",
"role": "assistant"
}
] |
def x(default, options):
for key in options.keys():
default_setting = default.get(key)
new_setting = options.get(key)
if isinstance(default_setting, dict):
deep_update_dict(default_setting, new_setting)
else:
default[key] = new_setting
|
deep_update_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(default, options):\n for key in options.keys():\n default_setting = default.get(key)\n new_setting = options.get(key)\n if isinstance(default_setting, dict):\n deep_update_dict(default_setting, new_setting)\n else:\n default[key] = new_setting\n",
"role": "user"
},
{
"content": "deep_update_dict",
"role": "assistant"
}
] |
def x(template, google_songs):
if template == os.getcwd() or template == '%suggested%':
base_path = os.getcwd()
else:
template = os.path.abspath(template)
song_paths = [template_to_filepath(template, song) for song in
google_songs]
base_path = os.path.dirname(os.path.commonprefix(song_paths))
return base_path
|
template_to_base_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(template, google_songs):\n if template == os.getcwd() or template == '%suggested%':\n base_path = os.getcwd()\n else:\n template = os.path.abspath(template)\n song_paths = [template_to_filepath(template, song) for song in\n google_songs]\n base_path = os.path.dirname(os.path.commonprefix(song_paths))\n return base_path\n",
"role": "user"
},
{
"content": "template_to_base_path",
"role": "assistant"
}
] |
def x(cls, length, bit_prob=0.5):
assert isinstance(length, int) and length >= 0
assert isinstance(bit_prob, (int, float)) and 0 <= bit_prob <= 1
bits = 0
for _ in range(length):
bits <<= 1
bits += random.random() < bit_prob
return cls(bits, length)
|
random
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, length, bit_prob=0.5):\n assert isinstance(length, int) and length >= 0\n assert isinstance(bit_prob, (int, float)) and 0 <= bit_prob <= 1\n bits = 0\n for _ in range(length):\n bits <<= 1\n bits += random.random() < bit_prob\n return cls(bits, length)\n",
"role": "user"
},
{
"content": "random",
"role": "assistant"
}
] |
def x(cls, length, points=2):
assert isinstance(length, int) and length >= 0
assert isinstance(points, int) and points >= 0
points = random.sample(range(length + 1), points)
points.sort()
points.append(length)
previous = 0
include_range = bool(random.randrange(2))
bits = 0
for point in points:
if point > previous:
bits <<= point - previous
if include_range:
bits += (1 << point - previous) - 1
include_range = not include_range
previous = point
return cls(bits, length)
|
crossover_template
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, length, points=2):\n assert isinstance(length, int) and length >= 0\n assert isinstance(points, int) and points >= 0\n points = random.sample(range(length + 1), points)\n points.sort()\n points.append(length)\n previous = 0\n include_range = bool(random.randrange(2))\n bits = 0\n for point in points:\n if point > previous:\n bits <<= point - previous\n if include_range:\n bits += (1 << point - previous) - 1\n include_range = not include_range\n previous = point\n return cls(bits, length)\n",
"role": "user"
},
{
"content": "crossover_template",
"role": "assistant"
}
] |
def x(self):
result = 0
bits = self._bits
while bits:
result += bits % 2
bits >>= 1
return result
|
count
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = 0\n bits = self._bits\n while bits:\n result += bits % 2\n bits >>= 1\n return result\n",
"role": "user"
},
{
"content": "count",
"role": "assistant"
}
] |
def x(self, allowed_methods=None, timeout=None):
return self.wait_multi(self.channels.values(), timeout=timeout)
|
drain_events
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, allowed_methods=None, timeout=None):\n return self.wait_multi(self.channels.values(), timeout=timeout)\n",
"role": "user"
},
{
"content": "drain_events",
"role": "assistant"
}
] |
def x(self, channels, allowed_methods=None, timeout=None):
chanmap = dict((chan.channel_id, chan) for chan in channels)
chanid, method_sig, args, content = self._wait_multiple(chanmap.keys(),
allowed_methods, timeout=timeout)
channel = chanmap[chanid]
if content and channel.auto_decode and hasattr(content, 'content_encoding'
):
try:
content.body = content.body.decode(content.content_encoding)
except Exception:
pass
amqp_method = channel._METHOD_MAP.get(method_sig, None)
if amqp_method is None:
raise Exception('Unknown AMQP method (%d, %d)' % method_sig)
if content is None:
return amqp_method(channel, args)
else:
return amqp_method(channel, args, content)
|
wait_multi
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channels, allowed_methods=None, timeout=None):\n chanmap = dict((chan.channel_id, chan) for chan in channels)\n chanid, method_sig, args, content = self._wait_multiple(chanmap.keys(),\n allowed_methods, timeout=timeout)\n channel = chanmap[chanid]\n if content and channel.auto_decode and hasattr(content, 'content_encoding'\n ):\n try:\n content.body = content.body.decode(content.content_encoding)\n except Exception:\n pass\n amqp_method = channel._METHOD_MAP.get(method_sig, None)\n if amqp_method is None:\n raise Exception('Unknown AMQP method (%d, %d)' % method_sig)\n if content is None:\n return amqp_method(channel, args)\n else:\n return amqp_method(channel, args, content)\n",
"role": "user"
},
{
"content": "wait_multi",
"role": "assistant"
}
] |
def x(self):
conninfo = self.connection
if not conninfo.hostname:
raise KeyError('Missing hostname for AMQP connection.')
if conninfo.userid is None:
raise KeyError('Missing user id for AMQP connection.')
if conninfo.password is None:
raise KeyError('Missing password for AMQP connection.')
if not conninfo.port:
conninfo.port = self.default_port
return Connection(host=conninfo.host, userid=conninfo.userid, password=
conninfo.password, virtual_host=conninfo.virtual_host, insist=
conninfo.insist, ssl=conninfo.ssl, connect_timeout=conninfo.
connect_timeout)
|
establish_connection
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n conninfo = self.connection\n if not conninfo.hostname:\n raise KeyError('Missing hostname for AMQP connection.')\n if conninfo.userid is None:\n raise KeyError('Missing user id for AMQP connection.')\n if conninfo.password is None:\n raise KeyError('Missing password for AMQP connection.')\n if not conninfo.port:\n conninfo.port = self.default_port\n return Connection(host=conninfo.host, userid=conninfo.userid, password=\n conninfo.password, virtual_host=conninfo.virtual_host, insist=\n conninfo.insist, ssl=conninfo.ssl, connect_timeout=conninfo.\n connect_timeout)\n",
"role": "user"
},
{
"content": "establish_connection",
"role": "assistant"
}
] |
def x(self, queue, if_unused=False, if_empty=False):
return self.channel.queue_delete(queue, if_unused, if_empty)
|
queue_delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, queue, if_unused=False, if_empty=False):\n return self.channel.queue_delete(queue, if_unused, if_empty)\n",
"role": "user"
},
{
"content": "queue_delete",
"role": "assistant"
}
] |
def x(self, queue, durable, exclusive, auto_delete, warn_if_exists=False,
arguments=None):
if warn_if_exists and self.queue_exists(queue):
warnings.warn(QueueAlreadyExistsWarning(QueueAlreadyExistsWarning.
__doc__))
return self.channel.queue_declare(queue=queue, durable=durable,
exclusive=exclusive, auto_delete=auto_delete, arguments=arguments)
|
queue_declare
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, queue, durable, exclusive, auto_delete, warn_if_exists=False,\n arguments=None):\n if warn_if_exists and self.queue_exists(queue):\n warnings.warn(QueueAlreadyExistsWarning(QueueAlreadyExistsWarning.\n __doc__))\n return self.channel.queue_declare(queue=queue, durable=durable,\n exclusive=exclusive, auto_delete=auto_delete, arguments=arguments)\n",
"role": "user"
},
{
"content": "queue_declare",
"role": "assistant"
}
] |
def x(self, exchange, type, durable, auto_delete):
return self.channel.exchange_declare(exchange=exchange, type=type,
durable=durable, auto_delete=auto_delete)
|
exchange_declare
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, exchange, type, durable, auto_delete):\n return self.channel.exchange_declare(exchange=exchange, type=type,\n durable=durable, auto_delete=auto_delete)\n",
"role": "user"
},
{
"content": "exchange_declare",
"role": "assistant"
}
] |
def x(self, queue, exchange, routing_key, arguments=None):
return self.channel.queue_bind(queue=queue, exchange=exchange,
routing_key=routing_key, arguments=arguments)
|
queue_bind
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, queue, exchange, routing_key, arguments=None):\n return self.channel.queue_bind(queue=queue, exchange=exchange,\n routing_key=routing_key, arguments=arguments)\n",
"role": "user"
},
{
"content": "queue_bind",
"role": "assistant"
}
] |
def x(self, queue, no_ack=False):
raw_message = self.channel.basic_get(queue, no_ack=no_ack)
if not raw_message:
return None
return self.message_to_python(raw_message)
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, queue, no_ack=False):\n raw_message = self.channel.basic_get(queue, no_ack=no_ack)\n if not raw_message:\n return None\n return self.message_to_python(raw_message)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, limit=None):
for total_message_count in count():
if limit and total_message_count >= limit:
raise StopIteration
if not self.channel.is_open:
raise StopIteration
self.channel.wait()
yield True
|
consume
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, limit=None):\n for total_message_count in count():\n if limit and total_message_count >= limit:\n raise StopIteration\n if not self.channel.is_open:\n raise StopIteration\n self.channel.wait()\n yield True\n",
"role": "user"
},
{
"content": "consume",
"role": "assistant"
}
] |
def x(self, consumer_tag):
if not self.channel.connection:
return
self.channel.basic_cancel(consumer_tag)
|
cancel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, consumer_tag):\n if not self.channel.connection:\n return\n self.channel.basic_cancel(consumer_tag)\n",
"role": "user"
},
{
"content": "cancel",
"role": "assistant"
}
] |
def x(self):
if self._channel and self._channel.is_open:
self._channel.close()
self._channel_ref = None
|
close
|
[
{
"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._channel and self._channel.is_open:\n self._channel.close()\n self._channel_ref = None\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
] |
def x(self, prefetch_size, prefetch_count, apply_global=False):
self.channel.basic_qos(prefetch_size, prefetch_count, apply_global)
|
qos
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, prefetch_size, prefetch_count, apply_global=False):\n self.channel.basic_qos(prefetch_size, prefetch_count, apply_global)\n",
"role": "user"
},
{
"content": "qos",
"role": "assistant"
}
] |
def x(self):
if not self._channel:
self._channel_ref = weakref.ref(self.connection.get_channel())
return self._channel
|
channel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self._channel:\n self._channel_ref = weakref.ref(self.connection.get_channel())\n return self._channel\n",
"role": "user"
},
{
"content": "channel",
"role": "assistant"
}
] |
def x(self):
conninfo = self.connection
if not conninfo.hostname:
raise KeyError('Missing hostname for AMQP connection.')
if conninfo.userid is None:
raise KeyError('Missing user id for AMQP connection.')
if conninfo.password is None:
raise KeyError('Missing password for AMQP connection.')
if not conninfo.port:
conninfo.port = self.default_port
conn = amqp.Connection(host=conninfo.hostname, port=conninfo.port,
userid=conninfo.userid, password=conninfo.password, virtual_host=
conninfo.virtual_host)
return conn
|
establish_connection
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n conninfo = self.connection\n if not conninfo.hostname:\n raise KeyError('Missing hostname for AMQP connection.')\n if conninfo.userid is None:\n raise KeyError('Missing user id for AMQP connection.')\n if conninfo.password is None:\n raise KeyError('Missing password for AMQP connection.')\n if not conninfo.port:\n conninfo.port = self.default_port\n conn = amqp.Connection(host=conninfo.hostname, port=conninfo.port,\n userid=conninfo.userid, password=conninfo.password, virtual_host=\n conninfo.virtual_host)\n return conn\n",
"role": "user"
},
{
"content": "establish_connection",
"role": "assistant"
}
] |
def x(self, queue, no_ack, callback, consumer_tag, nowait=False):
return self.channel.basic_consume(queue=queue, no_ack=no_ack, callback=
callback, consumer_tag=consumer_tag)
|
declare_consumer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, queue, no_ack, callback, consumer_tag, nowait=False):\n return self.channel.basic_consume(queue=queue, no_ack=no_ack, callback=\n callback, consumer_tag=consumer_tag)\n",
"role": "user"
},
{
"content": "declare_consumer",
"role": "assistant"
}
] |
def x(self, limit=None):
for total_message_count in count():
if limit and total_message_count >= limit:
raise StopIteration
if not self.channel.is_open:
raise StopIteration
self.channel.conn.drain_events()
yield True
|
consume
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, limit=None):\n for total_message_count in count():\n if limit and total_message_count >= limit:\n raise StopIteration\n if not self.channel.is_open:\n raise StopIteration\n self.channel.conn.drain_events()\n yield True\n",
"role": "user"
},
{
"content": "consume",
"role": "assistant"
}
] |
def x(self, consumer_tag):
if not self.channel.conn:
return
self.channel.basic_cancel(consumer_tag)
|
cancel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, consumer_tag):\n if not self.channel.conn:\n return\n self.channel.basic_cancel(consumer_tag)\n",
"role": "user"
},
{
"content": "cancel",
"role": "assistant"
}
] |
def x(self, message_data, delivery_mode, priority=None, content_type=None,
content_encoding=None):
return amqp.Message(message_data, properties={'delivery_mode':
delivery_mode, 'priority': priority, 'content_type': content_type,
'content_encoding': content_encoding})
|
prepare_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message_data, delivery_mode, priority=None, content_type=None,\n content_encoding=None):\n return amqp.Message(message_data, properties={'delivery_mode':\n delivery_mode, 'priority': priority, 'content_type': content_type,\n 'content_encoding': content_encoding})\n",
"role": "user"
},
{
"content": "prepare_message",
"role": "assistant"
}
] |
def x(data):
content_type = 'application/data'
payload = data
if isinstance(payload, unicode):
content_encoding = 'utf-8'
payload = payload.encode(content_encoding)
else:
content_encoding = 'binary'
return content_type, content_encoding, payload
|
raw_encode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n content_type = 'application/data'\n payload = data\n if isinstance(payload, unicode):\n content_encoding = 'utf-8'\n payload = payload.encode(content_encoding)\n else:\n content_encoding = 'binary'\n return content_type, content_encoding, payload\n",
"role": "user"
},
{
"content": "raw_encode",
"role": "assistant"
}
] |
def x():
from anyjson import serialize as json_serialize
from anyjson import deserialize as json_deserialize
registry.register('json', json_serialize, json_deserialize,
content_type='application/json', content_encoding='utf-8')
|
register_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n from anyjson import serialize as json_serialize\n from anyjson import deserialize as json_deserialize\n registry.register('json', json_serialize, json_deserialize,\n content_type='application/json', content_encoding='utf-8')\n",
"role": "user"
},
{
"content": "register_json",
"role": "assistant"
}
] |
def x():
try:
import yaml
registry.register('yaml', yaml.safe_dump, yaml.safe_load,
content_type='application/x-yaml', content_encoding='utf-8')
except ImportError:
def x(*args, **kwargs):
raise SerializerNotInstalled(
'No decoder installed for YAML. Install the PyYAML library')
registry.register('yaml', None, not_available, 'application/x-yaml')
|
register_yaml
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n try:\n import yaml\n registry.register('yaml', yaml.safe_dump, yaml.safe_load,\n content_type='application/x-yaml', content_encoding='utf-8')\n except ImportError:\n\n def x(*args, **kwargs):\n raise SerializerNotInstalled(\n 'No decoder installed for YAML. Install the PyYAML library')\n registry.register('yaml', None, not_available, 'application/x-yaml')\n",
"role": "user"
},
{
"content": "register_yaml",
"role": "assistant"
}
] |
def x():
import cPickle
registry.register('pickle', cPickle.dumps, cPickle.loads, content_type=
'application/x-python-serialize', content_encoding='binary')
|
register_pickle
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n import cPickle\n registry.register('pickle', cPickle.dumps, cPickle.loads, content_type=\n 'application/x-python-serialize', content_encoding='binary')\n",
"role": "user"
},
{
"content": "register_pickle",
"role": "assistant"
}
] |
def x():
try:
import msgpack
registry.register('msgpack', msgpack.packs, msgpack.unpacks,
content_type='application/x-msgpack', content_encoding='binary')
except ImportError:
def x(*args, **kwargs):
raise SerializerNotInstalled(
'No decoder installed for msgpack. Install the msgpack library'
)
registry.register('msgpack', None, not_available,
'application/x-msgpack')
|
register_msgpack
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n try:\n import msgpack\n registry.register('msgpack', msgpack.packs, msgpack.unpacks,\n content_type='application/x-msgpack', content_encoding='binary')\n except ImportError:\n\n def x(*args, **kwargs):\n raise SerializerNotInstalled(\n 'No decoder installed for msgpack. Install the msgpack library'\n )\n registry.register('msgpack', None, not_available,\n 'application/x-msgpack')\n",
"role": "user"
},
{
"content": "register_msgpack",
"role": "assistant"
}
] |
def x(self, name, encoder, decoder, content_type, content_encoding='utf-8'):
if encoder:
self._encoders[name] = content_type, content_encoding, encoder
if decoder:
self._decoders[content_type] = decoder
|
register
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, encoder, decoder, content_type, content_encoding='utf-8'):\n if encoder:\n self._encoders[name] = content_type, content_encoding, encoder\n if decoder:\n self._decoders[content_type] = decoder\n",
"role": "user"
},
{
"content": "register",
"role": "assistant"
}
] |
def x(self, name):
try:
(self._default_content_type, self._default_content_encoding, self.
_default_encode) = self._encoders[name]
except KeyError:
raise SerializerNotInstalled('No encoder installed for %s' % name)
|
set_default_serializer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n try:\n (self._default_content_type, self._default_content_encoding, self.\n _default_encode) = self._encoders[name]\n except KeyError:\n raise SerializerNotInstalled('No encoder installed for %s' % name)\n",
"role": "user"
},
{
"content": "set_default_serializer",
"role": "assistant"
}
] |
def x(self, data, serializer=None):
if serializer == 'raw':
return raw_encode(data)
if serializer and not self._encoders.get(serializer):
raise SerializerNotInstalled('No encoder installed for %s' % serializer
)
if not serializer and isinstance(data, str):
return 'application/data', 'binary', data
if not serializer and isinstance(data, unicode):
payload = data.encode('utf-8')
return 'text/plain', 'utf-8', payload
if serializer:
content_type, content_encoding, encoder = self._encoders[serializer]
else:
encoder = self._default_encode
content_type = self._default_content_type
content_encoding = self._default_content_encoding
payload = encoder(data)
return content_type, content_encoding, payload
|
encode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, serializer=None):\n if serializer == 'raw':\n return raw_encode(data)\n if serializer and not self._encoders.get(serializer):\n raise SerializerNotInstalled('No encoder installed for %s' % serializer\n )\n if not serializer and isinstance(data, str):\n return 'application/data', 'binary', data\n if not serializer and isinstance(data, unicode):\n payload = data.encode('utf-8')\n return 'text/plain', 'utf-8', payload\n if serializer:\n content_type, content_encoding, encoder = self._encoders[serializer]\n else:\n encoder = self._default_encode\n content_type = self._default_content_type\n content_encoding = self._default_content_encoding\n payload = encoder(data)\n return content_type, content_encoding, payload\n",
"role": "user"
},
{
"content": "encode",
"role": "assistant"
}
] |
def x(self, data, content_type, content_encoding):
content_type = content_type or 'application/data'
content_encoding = (content_encoding or 'utf-8').lower()
if content_encoding not in ('binary', 'ascii-8bit') and not isinstance(data
, unicode):
data = codecs.decode(data, content_encoding)
try:
decoder = self._decoders[content_type]
except KeyError:
return data
return decoder(data)
|
decode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, content_type, content_encoding):\n content_type = content_type or 'application/data'\n content_encoding = (content_encoding or 'utf-8').lower()\n if content_encoding not in ('binary', 'ascii-8bit') and not isinstance(data\n , unicode):\n data = codecs.decode(data, content_encoding)\n try:\n decoder = self._decoders[content_type]\n except KeyError:\n return data\n return decoder(data)\n",
"role": "user"
},
{
"content": "decode",
"role": "assistant"
}
] |
def x(self):
if self.acknowledged:
raise self.MessageStateError(
'Message already acknowledged with state: %s' % self._state)
self.backend.ack(self._frame)
self._state = 'ACK'
|
ack
|
[
{
"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.acknowledged:\n raise self.MessageStateError(\n 'Message already acknowledged with state: %s' % self._state)\n self.backend.ack(self._frame)\n self._state = 'ACK'\n",
"role": "user"
},
{
"content": "ack",
"role": "assistant"
}
] |
def x(self, limit=None):
for total_message_count in count():
if limit and total_message_count >= limit:
raise StopIteration
self.drain_events()
yield True
|
consume
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, limit=None):\n for total_message_count in count():\n if limit and total_message_count >= limit:\n raise StopIteration\n self.drain_events()\n yield True\n",
"role": "user"
},
{
"content": "consume",
"role": "assistant"
}
] |
def x(cls, length, bit_prob=0.5):
assert isinstance(length, int) and length >= 0
assert isinstance(bit_prob, (int, float)) and 0 <= bit_prob <= 1
bits = numpy.random.choice([False, True], size=(length,), p=[1 -
bit_prob, bit_prob])
bits.flags.writeable = False
return cls(bits)
|
random
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, length, bit_prob=0.5):\n assert isinstance(length, int) and length >= 0\n assert isinstance(bit_prob, (int, float)) and 0 <= bit_prob <= 1\n bits = numpy.random.choice([False, True], size=(length,), p=[1 -\n bit_prob, bit_prob])\n bits.flags.writeable = False\n return cls(bits)\n",
"role": "user"
},
{
"content": "random",
"role": "assistant"
}
] |
def x(cls, length, points=2):
assert isinstance(length, int) and length >= 0
assert isinstance(points, int) and points >= 0
points = random.sample(range(length + 1), points)
points.sort()
points.append(length)
previous = 0
include_range = bool(random.randrange(2))
pieces = []
for point in points:
if point > previous:
fill = numpy.ones if include_range else numpy.zeros
pieces.append(fill(point - previous, dtype=bool))
include_range = not include_range
previous = point
bits = numpy.concatenate(pieces)
bits.flags.writeable = False
return cls(bits)
|
crossover_template
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, length, points=2):\n assert isinstance(length, int) and length >= 0\n assert isinstance(points, int) and points >= 0\n points = random.sample(range(length + 1), points)\n points.sort()\n points.append(length)\n previous = 0\n include_range = bool(random.randrange(2))\n pieces = []\n for point in points:\n if point > previous:\n fill = numpy.ones if include_range else numpy.zeros\n pieces.append(fill(point - previous, dtype=bool))\n include_range = not include_range\n previous = point\n bits = numpy.concatenate(pieces)\n bits.flags.writeable = False\n return cls(bits)\n",
"role": "user"
},
{
"content": "crossover_template",
"role": "assistant"
}
] |
def x(cls, bits, wildcard_probability):
if not isinstance(bits, BitString):
bits = BitString(bits)
mask = BitString([(random.random() > wildcard_probability) for _ in
range(len(bits))])
return cls(bits, mask)
|
cover
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, bits, wildcard_probability):\n if not isinstance(bits, BitString):\n bits = BitString(bits)\n mask = BitString([(random.random() > wildcard_probability) for _ in\n range(len(bits))])\n return cls(bits, mask)\n",
"role": "user"
},
{
"content": "cover",
"role": "assistant"
}
] |
def x(self, other, points=2):
assert isinstance(other, BitCondition)
assert len(self) == len(other)
template = BitString.crossover_template(len(self), points)
inv_template = ~template
bits1 = self._bits & template | other._bits & inv_template
mask1 = self._mask & template | other._mask & inv_template
bits2 = self._bits & inv_template | other._bits & template
mask2 = self._mask & inv_template | other._mask & template
return type(self)(bits1, mask1), type(self)(bits2, mask2)
|
crossover_with
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other, points=2):\n assert isinstance(other, BitCondition)\n assert len(self) == len(other)\n template = BitString.crossover_template(len(self), points)\n inv_template = ~template\n bits1 = self._bits & template | other._bits & inv_template\n mask1 = self._mask & template | other._mask & inv_template\n bits2 = self._bits & inv_template | other._bits & template\n mask2 = self._mask & inv_template | other._mask & template\n return type(self)(bits1, mask1), type(self)(bits2, mask2)\n",
"role": "user"
},
{
"content": "crossover_with",
"role": "assistant"
}
] |
def x(self):
backend_cls = self.backend_cls
if not backend_cls or isinstance(backend_cls, basestring):
backend_cls = get_backend_cls(backend_cls)
return backend_cls
|
get_backend_cls
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n backend_cls = self.backend_cls\n if not backend_cls or isinstance(backend_cls, basestring):\n backend_cls = get_backend_cls(backend_cls)\n return backend_cls\n",
"role": "user"
},
{
"content": "get_backend_cls",
"role": "assistant"
}
] |
def x(self, errback=None, max_retries=None, interval_start=2, interval_step
=2, interval_max=30):
retry_over_time(self.connect, self.connection_errors, (), {}, errback,
max_retries, interval_start, interval_step, interval_max)
return self
|
ensure_connection
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, errback=None, max_retries=None, interval_start=2, interval_step\n =2, interval_max=30):\n retry_over_time(self.connect, self.connection_errors, (), {}, errback,\n max_retries, interval_start, interval_step, interval_max)\n return self\n",
"role": "user"
},
{
"content": "ensure_connection",
"role": "assistant"
}
] |
def x(self):
try:
if self._connection:
backend = self.create_backend()
backend.close_connection(self._connection)
except socket.error:
pass
self._closed = True
|
close
|
[
{
"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 if self._connection:\n backend = self.create_backend()\n backend.close_connection(self._connection)\n except socket.error:\n pass\n self._closed = True\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
] |
def x(self):
backend_cls = self.backend_cls or 'amqplib'
port = self.port or self.create_backend().default_port
return {'hostname': self.hostname, 'userid': self.userid, 'password':
self.password, 'virtual_host': self.virtual_host, 'port': port,
'insist': self.insist, 'ssl': self.ssl, 'transport_cls':
backend_cls, 'backend_cls': backend_cls, 'connect_timeout': self.
connect_timeout}
|
info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n backend_cls = self.backend_cls or 'amqplib'\n port = self.port or self.create_backend().default_port\n return {'hostname': self.hostname, 'userid': self.userid, 'password':\n self.password, 'virtual_host': self.virtual_host, 'port': port,\n 'insist': self.insist, 'ssl': self.ssl, 'transport_cls':\n backend_cls, 'backend_cls': backend_cls, 'connect_timeout': self.\n connect_timeout}\n",
"role": "user"
},
{
"content": "info",
"role": "assistant"
}
] |
def x(self):
return serialization.decode(self.body, self.content_type, self.
content_encoding)
|
decode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return serialization.decode(self.body, self.content_type, self.\n content_encoding)\n",
"role": "user"
},
{
"content": "decode",
"role": "assistant"
}
] |
def x(self):
if not self._decoded_cache:
self._decoded_cache = self.decode()
return self._decoded_cache
|
payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self._decoded_cache:\n self._decoded_cache = self.decode()\n return self._decoded_cache\n",
"role": "user"
},
{
"content": "payload",
"role": "assistant"
}
] |
def x(self):
if self.acknowledged:
raise self.MessageStateError(
'Message already acknowledged with state: %s' % self._state)
self.backend.ack(self.delivery_tag)
self._state = 'ACK'
|
ack
|
[
{
"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.acknowledged:\n raise self.MessageStateError(\n 'Message already acknowledged with state: %s' % self._state)\n self.backend.ack(self.delivery_tag)\n self._state = 'ACK'\n",
"role": "user"
},
{
"content": "ack",
"role": "assistant"
}
] |
def x(self):
if self.acknowledged:
raise self.MessageStateError(
'Message already acknowledged with state: %s' % self._state)
self.backend.reject(self.delivery_tag)
self._state = 'REJECTED'
|
reject
|
[
{
"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.acknowledged:\n raise self.MessageStateError(\n 'Message already acknowledged with state: %s' % self._state)\n self.backend.reject(self.delivery_tag)\n self._state = 'REJECTED'\n",
"role": "user"
},
{
"content": "reject",
"role": "assistant"
}
] |
def x(self):
if self.acknowledged:
raise self.MessageStateError(
'Message already acknowledged with state: %s' % self._state)
self.backend.requeue(self.delivery_tag)
self._state = 'REQUEUED'
|
requeue
|
[
{
"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.acknowledged:\n raise self.MessageStateError(\n 'Message already acknowledged with state: %s' % self._state)\n self.backend.requeue(self.delivery_tag)\n self._state = 'REQUEUED'\n",
"role": "user"
},
{
"content": "requeue",
"role": "assistant"
}
] |
def x():
if ctypes and _uuid_generate_random:
buffer = ctypes.create_string_buffer(16)
_uuid_generate_random(buffer)
return str(UUID(bytes=buffer.raw))
return str(uuid4())
|
gen_unique_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if ctypes and _uuid_generate_random:\n buffer = ctypes.create_string_buffer(16)\n _uuid_generate_random(buffer)\n return str(UUID(bytes=buffer.raw))\n return str(uuid4())\n",
"role": "user"
},
{
"content": "gen_unique_id",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
if not mqueue.qsize():
return None
message_data, content_type, content_encoding = mqueue.get()
return self.Message(backend=self, body=message_data, content_type=
content_type, content_encoding=content_encoding)
|
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 if not mqueue.qsize():\n return None\n message_data, content_type, content_encoding = mqueue.get()\n return self.Message(backend=self, body=message_data, content_type=\n content_type, content_encoding=content_encoding)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, queue, **kwargs):
qsize = mqueue.qsize()
mqueue.queue.clear()
return qsize
|
queue_purge
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, queue, **kwargs):\n qsize = mqueue.qsize()\n mqueue.queue.clear()\n return qsize\n",
"role": "user"
},
{
"content": "queue_purge",
"role": "assistant"
}
] |
def x(self, message_data, delivery_mode, content_type, content_encoding, **
kwargs):
return message_data, content_type, content_encoding
|
prepare_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message_data, delivery_mode, content_type, content_encoding, **\n kwargs):\n return message_data, content_type, content_encoding\n",
"role": "user"
},
{
"content": "prepare_message",
"role": "assistant"
}
] |
def x(self, match_set):
assert isinstance(match_set, MatchSet)
assert match_set.algorithm is self
return self.discount_factor * (self.idealization_factor * match_set.
best_prediction + (1 - self.idealization_factor) * match_set.prediction
)
|
get_future_expectation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, match_set):\n assert isinstance(match_set, MatchSet)\n assert match_set.algorithm is self\n return self.discount_factor * (self.idealization_factor * match_set.\n best_prediction + (1 - self.idealization_factor) * match_set.prediction\n )\n",
"role": "user"
},
{
"content": "get_future_expectation",
"role": "assistant"
}
] |
def x(self, match_set):
assert isinstance(match_set, MatchSet)
assert match_set.algorithm is self
if self.minimum_actions is None:
return len(match_set) < len(match_set.model.possible_actions)
else:
return len(match_set) < self.minimum_actions
|
covering_is_required
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, match_set):\n assert isinstance(match_set, MatchSet)\n assert match_set.algorithm is self\n if self.minimum_actions is None:\n return len(match_set) < len(match_set.model.possible_actions)\n else:\n return len(match_set) < self.minimum_actions\n",
"role": "user"
},
{
"content": "covering_is_required",
"role": "assistant"
}
] |
def x(self, match_set):
assert isinstance(match_set, MatchSet)
assert match_set.model.algorithm is self
condition = bitstrings.BitCondition.cover(match_set.situation, self.
wildcard_probability)
action_candidates = frozenset(match_set.model.possible_actions
) - frozenset(match_set)
if not action_candidates:
action_candidates = match_set.model.possible_actions
action = random.choice(list(action_candidates))
return XCSClassifierRule(condition, action, self, match_set.time_stamp)
|
cover
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, match_set):\n assert isinstance(match_set, MatchSet)\n assert match_set.model.algorithm is self\n condition = bitstrings.BitCondition.cover(match_set.situation, self.\n wildcard_probability)\n action_candidates = frozenset(match_set.model.possible_actions\n ) - frozenset(match_set)\n if not action_candidates:\n action_candidates = match_set.model.possible_actions\n action = random.choice(list(action_candidates))\n return XCSClassifierRule(condition, action, self, match_set.time_stamp)\n",
"role": "user"
},
{
"content": "cover",
"role": "assistant"
}
] |
def x(self, match_set):
assert isinstance(match_set, MatchSet)
assert match_set.algorithm is self
assert match_set.selected_action is not None
payoff = float(match_set.payoff)
action_set = match_set[match_set.selected_action]
action_set_size = sum(rule.numerosity for rule in action_set)
for rule in action_set:
rule.experience += 1
update_rate = max(self.learning_rate, 1 / rule.experience)
rule.average_reward += (payoff - rule.average_reward) * update_rate
rule.error += (abs(payoff - rule.average_reward) - rule.error
) * update_rate
rule.action_set_size += (action_set_size - rule.action_set_size
) * update_rate
self._update_fitness(action_set)
if self.do_action_set_subsumption:
self._action_set_subsumption(action_set)
|
distribute_payoff
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, match_set):\n assert isinstance(match_set, MatchSet)\n assert match_set.algorithm is self\n assert match_set.selected_action is not None\n payoff = float(match_set.payoff)\n action_set = match_set[match_set.selected_action]\n action_set_size = sum(rule.numerosity for rule in action_set)\n for rule in action_set:\n rule.experience += 1\n update_rate = max(self.learning_rate, 1 / rule.experience)\n rule.average_reward += (payoff - rule.average_reward) * update_rate\n rule.error += (abs(payoff - rule.average_reward) - rule.error\n ) * update_rate\n rule.action_set_size += (action_set_size - rule.action_set_size\n ) * update_rate\n self._update_fitness(action_set)\n if self.do_action_set_subsumption:\n self._action_set_subsumption(action_set)\n",
"role": "user"
},
{
"content": "distribute_payoff",
"role": "assistant"
}
] |
def x(self, match_set):
assert isinstance(match_set, MatchSet)
assert match_set.model.algorithm is self
assert match_set.selected_action is not None
match_set.model.update_time_stamp()
action_set = match_set[match_set.selected_action]
average_time_passed = (match_set.model.time_stamp - self.
_get_average_time_stamp(action_set))
if average_time_passed <= self.ga_threshold:
return
self._set_timestamps(action_set)
parent1 = self._select_parent(action_set)
parent2 = self._select_parent(action_set)
if random.random() < self.crossover_probability:
condition1, condition2 = parent1.condition.crossover_with(parent2.
condition)
else:
condition1, condition2 = parent1.condition, parent2.condition
condition1 = self._mutate(condition1, action_set.situation)
condition2 = self._mutate(condition2, action_set.situation)
new_children = []
for condition in (condition1, condition2):
if self.do_ga_subsumption:
subsumed = False
for parent in (parent1, parent2):
should_subsume = (parent.experience > self.
subsumption_threshold and parent.error < self.
error_threshold and parent.condition(condition))
if should_subsume:
if parent in action_set.model:
parent.numerosity += 1
self.prune(action_set.model)
else:
parent.numerosity = 1
action_set.model.add(parent)
subsumed = True
break
if subsumed:
continue
child = XCSClassifierRule(condition, action_set.action, self,
action_set.model.time_stamp)
if child in action_set.model:
action_set.model.add(child)
else:
new_children.append(child)
if new_children:
average_reward = 0.5 * (parent1.average_reward + parent2.average_reward
)
error = 0.5 * (parent1.error + parent2.error)
fitness = 0.05 * (parent1.fitness + parent2.fitness)
for child in new_children:
child.average_reward = average_reward
child.error = error
child.fitness = fitness
action_set.model.add(child)
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, match_set):\n assert isinstance(match_set, MatchSet)\n assert match_set.model.algorithm is self\n assert match_set.selected_action is not None\n match_set.model.update_time_stamp()\n action_set = match_set[match_set.selected_action]\n average_time_passed = (match_set.model.time_stamp - self.\n _get_average_time_stamp(action_set))\n if average_time_passed <= self.ga_threshold:\n return\n self._set_timestamps(action_set)\n parent1 = self._select_parent(action_set)\n parent2 = self._select_parent(action_set)\n if random.random() < self.crossover_probability:\n condition1, condition2 = parent1.condition.crossover_with(parent2.\n condition)\n else:\n condition1, condition2 = parent1.condition, parent2.condition\n condition1 = self._mutate(condition1, action_set.situation)\n condition2 = self._mutate(condition2, action_set.situation)\n new_children = []\n for condition in (condition1, condition2):\n if self.do_ga_subsumption:\n subsumed = False\n for parent in (parent1, parent2):\n should_subsume = (parent.experience > self.\n subsumption_threshold and parent.error < self.\n error_threshold and parent.condition(condition))\n if should_subsume:\n if parent in action_set.model:\n parent.numerosity += 1\n self.prune(action_set.model)\n else:\n parent.numerosity = 1\n action_set.model.add(parent)\n subsumed = True\n break\n if subsumed:\n continue\n child = XCSClassifierRule(condition, action_set.action, self,\n action_set.model.time_stamp)\n if child in action_set.model:\n action_set.model.add(child)\n else:\n new_children.append(child)\n if new_children:\n average_reward = 0.5 * (parent1.average_reward + parent2.average_reward\n )\n error = 0.5 * (parent1.error + parent2.error)\n fitness = 0.05 * (parent1.fitness + parent2.fitness)\n for child in new_children:\n child.average_reward = average_reward\n child.error = error\n child.fitness = fitness\n action_set.model.add(child)\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, model):
assert isinstance(model, ClassifierSet)
assert model.algorithm is self
total_numerosity = sum(rule.numerosity for rule in model)
if total_numerosity <= self.max_population_size:
return []
total_fitness = sum(rule.fitness for rule in model)
average_fitness = total_fitness / total_numerosity
total_votes = 0
deletion_votes = {}
for rule in model:
vote = rule.action_set_size * rule.numerosity
sufficient_experience = rule.experience > self.deletion_threshold
low_fitness = (rule.fitness / rule.numerosity < self.
fitness_threshold * average_fitness)
if sufficient_experience and low_fitness:
vote *= average_fitness / (rule.fitness / rule.numerosity)
deletion_votes[rule] = vote
total_votes += vote
selector = random.uniform(0, total_votes)
for rule, vote in deletion_votes.items():
selector -= vote
if selector <= 0:
assert rule in model
if model.discard(rule):
return [rule]
else:
return []
assert False
|
prune
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model):\n assert isinstance(model, ClassifierSet)\n assert model.algorithm is self\n total_numerosity = sum(rule.numerosity for rule in model)\n if total_numerosity <= self.max_population_size:\n return []\n total_fitness = sum(rule.fitness for rule in model)\n average_fitness = total_fitness / total_numerosity\n total_votes = 0\n deletion_votes = {}\n for rule in model:\n vote = rule.action_set_size * rule.numerosity\n sufficient_experience = rule.experience > self.deletion_threshold\n low_fitness = (rule.fitness / rule.numerosity < self.\n fitness_threshold * average_fitness)\n if sufficient_experience and low_fitness:\n vote *= average_fitness / (rule.fitness / rule.numerosity)\n deletion_votes[rule] = vote\n total_votes += vote\n selector = random.uniform(0, total_votes)\n for rule, vote in deletion_votes.items():\n selector -= vote\n if selector <= 0:\n assert rule in model\n if model.discard(rule):\n return [rule]\n else:\n return []\n assert False\n",
"role": "user"
},
{
"content": "prune",
"role": "assistant"
}
] |
def x(self, action_set):
total_accuracy = 0
accuracies = {}
for rule in action_set:
if rule.error < self.error_threshold:
accuracy = 1
else:
accuracy = self.accuracy_coefficient * (rule.error / self.
error_threshold) ** -self.accuracy_power
accuracies[rule] = accuracy
total_accuracy += accuracy * rule.numerosity
total_accuracy = total_accuracy or 1
for rule in action_set:
accuracy = accuracies[rule]
rule.fitness += self.learning_rate * (accuracy * rule.numerosity /
total_accuracy - rule.fitness)
|
update_fitness
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, action_set):\n total_accuracy = 0\n accuracies = {}\n for rule in action_set:\n if rule.error < self.error_threshold:\n accuracy = 1\n else:\n accuracy = self.accuracy_coefficient * (rule.error / self.\n error_threshold) ** -self.accuracy_power\n accuracies[rule] = accuracy\n total_accuracy += accuracy * rule.numerosity\n total_accuracy = total_accuracy or 1\n for rule in action_set:\n accuracy = accuracies[rule]\n rule.fitness += self.learning_rate * (accuracy * rule.numerosity /\n total_accuracy - rule.fitness)\n",
"role": "user"
},
{
"content": "update_fitness",
"role": "assistant"
}
] |
def x(self, action_set):
selected_rule = None
selected_bit_count = None
for rule in action_set:
if not (rule.experience > self.subsumption_threshold and rule.error <
self.error_threshold):
continue
bit_count = rule.condition.count()
if (selected_rule is None or bit_count > selected_bit_count or
bit_count == selected_bit_count and random.randrange(2)):
selected_rule = rule
selected_bit_count = bit_count
if selected_rule is None:
return
to_remove = []
for rule in action_set:
if selected_rule is not rule and selected_rule.condition(rule.condition
):
selected_rule.numerosity += rule.numerosity
action_set.model.discard(rule, rule.numerosity)
to_remove.append(rule)
for rule in to_remove:
action_set.remove(rule)
|
action_set_subsumption
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, action_set):\n selected_rule = None\n selected_bit_count = None\n for rule in action_set:\n if not (rule.experience > self.subsumption_threshold and rule.error <\n self.error_threshold):\n continue\n bit_count = rule.condition.count()\n if (selected_rule is None or bit_count > selected_bit_count or \n bit_count == selected_bit_count and random.randrange(2)):\n selected_rule = rule\n selected_bit_count = bit_count\n if selected_rule is None:\n return\n to_remove = []\n for rule in action_set:\n if selected_rule is not rule and selected_rule.condition(rule.condition\n ):\n selected_rule.numerosity += rule.numerosity\n action_set.model.discard(rule, rule.numerosity)\n to_remove.append(rule)\n for rule in to_remove:\n action_set.remove(rule)\n",
"role": "user"
},
{
"content": "action_set_subsumption",
"role": "assistant"
}
] |
def x(action_set):
total_time_stamps = sum(rule.time_stamp * rule.numerosity for rule in
action_set)
total_numerosity = sum(rule.numerosity for rule in action_set)
return total_time_stamps / (total_numerosity or 1)
|
get_average_time_stamp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(action_set):\n total_time_stamps = sum(rule.time_stamp * rule.numerosity for rule in\n action_set)\n total_numerosity = sum(rule.numerosity for rule in action_set)\n return total_time_stamps / (total_numerosity or 1)\n",
"role": "user"
},
{
"content": "get_average_time_stamp",
"role": "assistant"
}
] |
def x(action_set):
total_fitness = sum(rule.fitness for rule in action_set)
selector = random.uniform(0, total_fitness)
for rule in action_set:
selector -= rule.fitness
if selector <= 0:
return rule
return random.choice(list(action_set))
|
select_parent
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(action_set):\n total_fitness = sum(rule.fitness for rule in action_set)\n selector = random.uniform(0, total_fitness)\n for rule in action_set:\n selector -= rule.fitness\n if selector <= 0:\n return rule\n return random.choice(list(action_set))\n",
"role": "user"
},
{
"content": "select_parent",
"role": "assistant"
}
] |
def x(self, condition, situation):
mutation_points = bitstrings.BitString.random(len(condition.mask), self
.mutation_probability)
mask = condition.mask ^ mutation_points
if isinstance(situation, bitstrings.BitCondition):
mask &= situation.mask
return bitstrings.BitCondition(situation.bits, mask)
return bitstrings.BitCondition(situation, mask)
|
mutate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, condition, situation):\n mutation_points = bitstrings.BitString.random(len(condition.mask), self\n .mutation_probability)\n mask = condition.mask ^ mutation_points\n if isinstance(situation, bitstrings.BitCondition):\n mask &= situation.mask\n return bitstrings.BitCondition(situation.bits, mask)\n return bitstrings.BitCondition(situation, mask)\n",
"role": "user"
},
{
"content": "mutate",
"role": "assistant"
}
] |
def x(self):
conninfo = self.connection
if not conninfo.port:
conninfo.port = self.default_port
credentials = pika.PlainCredentials(conninfo.userid, conninfo.password)
return self._connection_cls(pika.ConnectionParameters(conninfo.hostname,
port=conninfo.port, virtual_host=conninfo.virtual_host, credentials
=credentials))
|
establish_connection
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n conninfo = self.connection\n if not conninfo.port:\n conninfo.port = self.default_port\n credentials = pika.PlainCredentials(conninfo.userid, conninfo.password)\n return self._connection_cls(pika.ConnectionParameters(conninfo.hostname,\n port=conninfo.port, virtual_host=conninfo.virtual_host, credentials\n =credentials))\n",
"role": "user"
},
{
"content": "establish_connection",
"role": "assistant"
}
] |
def x(self, queue, **kwargs):
return self.channel.queue_purge(queue=queue).message_count
|
queue_purge
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, queue, **kwargs):\n return self.channel.queue_purge(queue=queue).message_count\n",
"role": "user"
},
{
"content": "queue_purge",
"role": "assistant"
}
] |
def x(self, queue, durable, exclusive, auto_delete, warn_if_exists=False,
arguments=None):
return self.channel.queue_declare(queue=queue, durable=durable,
exclusive=exclusive, auto_delete=auto_delete, arguments=arguments)
|
queue_declare
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, queue, durable, exclusive, auto_delete, warn_if_exists=False,\n arguments=None):\n return self.channel.queue_declare(queue=queue, durable=durable,\n exclusive=exclusive, auto_delete=auto_delete, arguments=arguments)\n",
"role": "user"
},
{
"content": "queue_declare",
"role": "assistant"
}
] |
def x(self, queue, no_ack, callback, consumer_tag, nowait=False):
@functools.wraps(callback)
def x(channel, method, header, body):
return callback((channel, method, header, body))
return self.channel.basic_consume(_callback_decode, queue=queue, no_ack
=no_ack, consumer_tag=consumer_tag)
|
declare_consumer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, queue, no_ack, callback, consumer_tag, nowait=False):\n\n @functools.wraps(callback)\n def x(channel, method, header, body):\n return callback((channel, method, header, body))\n return self.channel.basic_consume(_callback_decode, queue=queue, no_ack\n =no_ack, consumer_tag=consumer_tag)\n",
"role": "user"
},
{
"content": "declare_consumer",
"role": "assistant"
}
] |
def x(self):
if self._channel and not self._channel.handler.channel_close:
self._channel.close()
self._channel_ref = None
|
close
|
[
{
"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._channel and not self._channel.handler.channel_close:\n self._channel.close()\n self._channel_ref = None\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
] |
def x(self, message_data, delivery_mode, priority=None, content_type=None,
content_encoding=None):
properties = pika.BasicProperties(priority=priority, content_type=
content_type, content_encoding=content_encoding, delivery_mode=
delivery_mode)
return message_data, properties
|
prepare_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message_data, delivery_mode, priority=None, content_type=None,\n content_encoding=None):\n properties = pika.BasicProperties(priority=priority, content_type=\n content_type, content_encoding=content_encoding, delivery_mode=\n delivery_mode)\n return message_data, properties\n",
"role": "user"
},
{
"content": "prepare_message",
"role": "assistant"
}
] |
def x(self, message, exchange, routing_key, mandatory=None, immediate=None,
headers=None):
body, properties = message
if headers:
properties.headers = headers
ret = self.channel.basic_publish(body=body, properties=properties,
exchange=exchange, routing_key=routing_key, mandatory=mandatory,
immediate=immediate)
if mandatory or immediate:
self.close()
|
publish
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message, exchange, routing_key, mandatory=None, immediate=None,\n headers=None):\n body, properties = message\n if headers:\n properties.headers = headers\n ret = self.channel.basic_publish(body=body, properties=properties,\n exchange=exchange, routing_key=routing_key, mandatory=mandatory,\n immediate=immediate)\n if mandatory or immediate:\n self.close()\n",
"role": "user"
},
{
"content": "publish",
"role": "assistant"
}
] |
def x(self):
return '%s.%s%s' % (self.__class__.__module__, self.__class__.__name__,
self._next_consumer_tag())
|
generate_consumer_tag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return '%s.%s%s' % (self.__class__.__module__, self.__class__.__name__,\n self._next_consumer_tag())\n",
"role": "user"
},
{
"content": "generate_consumer_tag",
"role": "assistant"
}
] |
def x(self):
arguments = None
routing_key = self.routing_key
if self.exchange_type == 'headers':
arguments, routing_key = routing_key, ''
if self.queue:
self.backend.queue_declare(queue=self.queue, durable=self.durable,
exclusive=self.exclusive, auto_delete=self.auto_delete,
arguments=self.queue_arguments, warn_if_exists=self.warn_if_exists)
if self.exchange:
self.backend.exchange_declare(exchange=self.exchange, type=self.
exchange_type, durable=self.durable, auto_delete=self.auto_delete)
if self.queue:
self.backend.queue_bind(queue=self.queue, exchange=self.exchange,
routing_key=routing_key, arguments=arguments)
self._closed = False
return self
|
declare
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n arguments = None\n routing_key = self.routing_key\n if self.exchange_type == 'headers':\n arguments, routing_key = routing_key, ''\n if self.queue:\n self.backend.queue_declare(queue=self.queue, durable=self.durable,\n exclusive=self.exclusive, auto_delete=self.auto_delete,\n arguments=self.queue_arguments, warn_if_exists=self.warn_if_exists)\n if self.exchange:\n self.backend.exchange_declare(exchange=self.exchange, type=self.\n exchange_type, durable=self.durable, auto_delete=self.auto_delete)\n if self.queue:\n self.backend.queue_bind(queue=self.queue, exchange=self.exchange,\n routing_key=routing_key, arguments=arguments)\n self._closed = False\n return self\n",
"role": "user"
},
{
"content": "declare",
"role": "assistant"
}
] |
def x(self, raw_message):
message = self.backend.message_to_python(raw_message)
if self.auto_ack and not message.acknowledged:
message.ack()
self.receive(message.payload, message)
|
receive_callback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, raw_message):\n message = self.backend.message_to_python(raw_message)\n if self.auto_ack and not message.acknowledged:\n message.ack()\n self.receive(message.payload, message)\n",
"role": "user"
},
{
"content": "receive_callback",
"role": "assistant"
}
] |
def x(self, no_ack=None, auto_ack=None, enable_callbacks=False):
no_ack = no_ack or self.no_ack
auto_ack = auto_ack or self.auto_ack
message = self.backend.get(self.queue, no_ack=no_ack)
if message:
if auto_ack and not message.acknowledged:
message.ack()
if enable_callbacks:
self.receive(message.payload, message)
return message
|
fetch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, no_ack=None, auto_ack=None, enable_callbacks=False):\n no_ack = no_ack or self.no_ack\n auto_ack = auto_ack or self.auto_ack\n message = self.backend.get(self.queue, no_ack=no_ack)\n if message:\n if auto_ack and not message.acknowledged:\n message.ack()\n if enable_callbacks:\n self.receive(message.payload, message)\n return message\n",
"role": "user"
},
{
"content": "fetch",
"role": "assistant"
}
] |
def x(self, message_data, message):
if not self.callbacks:
raise NotImplementedError('No consumer callbacks registered')
for callback in self.callbacks:
callback(message_data, message)
|
receive
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message_data, message):\n if not self.callbacks:\n raise NotImplementedError('No consumer callbacks registered')\n for callback in self.callbacks:\n callback(message_data, message)\n",
"role": "user"
},
{
"content": "receive",
"role": "assistant"
}
] |
def x(self, filterfunc=None):
if not filterfunc:
return self.backend.queue_purge(self.queue)
if self.no_ack or self.auto_ack:
raise Exception("discard_all: Can't use filter with auto/no-ack.")
discarded_count = 0
while True:
message = self.fetch()
if message is None:
return discarded_count
if filterfunc(message):
message.ack()
discarded_count += 1
|
discard_all
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filterfunc=None):\n if not filterfunc:\n return self.backend.queue_purge(self.queue)\n if self.no_ack or self.auto_ack:\n raise Exception(\"discard_all: Can't use filter with auto/no-ack.\")\n discarded_count = 0\n while True:\n message = self.fetch()\n if message is None:\n return discarded_count\n if filterfunc(message):\n message.ack()\n discarded_count += 1\n",
"role": "user"
},
{
"content": "discard_all",
"role": "assistant"
}
] |
def x(self, no_ack=None):
no_ack = no_ack or self.no_ack
self.backend.declare_consumer(queue=self.queue, no_ack=no_ack, callback
=self._receive_callback, consumer_tag=self.consumer_tag, nowait=True)
self.channel_open = True
|
consume
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, no_ack=None):\n no_ack = no_ack or self.no_ack\n self.backend.declare_consumer(queue=self.queue, no_ack=no_ack, callback\n =self._receive_callback, consumer_tag=self.consumer_tag, nowait=True)\n self.channel_open = True\n",
"role": "user"
},
{
"content": "consume",
"role": "assistant"
}
] |
def x(self, limit=None):
it = self.iterconsume(limit)
while True:
it.next()
|
wait
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, limit=None):\n it = self.iterconsume(limit)\n while True:\n it.next()\n",
"role": "user"
},
{
"content": "wait",
"role": "assistant"
}
] |
def x(self, limit=None, infinite=False):
for items_since_start in count():
item = self.fetch()
if (not infinite and item is None or limit and items_since_start >=
limit):
raise StopIteration
yield item
|
iterqueue
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, limit=None, infinite=False):\n for items_since_start in count():\n item = self.fetch()\n if (not infinite and item is None or limit and items_since_start >=\n limit):\n raise StopIteration\n yield item\n",
"role": "user"
},
{
"content": "iterqueue",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.