source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(*plugin_names):
def x(callable_obj):
for plugin_name in plugin_names:
if not hasattr(callable_obj, plugin_name):
setattr(callable_obj, plugin_name, True)
return callable_obj
return wrapper
|
plugin_method
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*plugin_names):\n\n def x(callable_obj):\n for plugin_name in plugin_names:\n if not hasattr(callable_obj, plugin_name):\n setattr(callable_obj, plugin_name, True)\n return callable_obj\n return wrapper\n",
"role": "user"
},
{
"content": "plugin_method",
"role": "assistant"
}
] |
def x(method_name, extra_part=False):
def x(callable_obj):
if method_name.lower() not in DEFAULT_ROUTES:
raise HandlerHTTPMethodError('Invalid http method in method: {}'
.format(method_name))
callable_obj.http_method = method_name.upper()
callable_obj.url_extra_part = (callable_obj.__name__ if extra_part else
None)
return classmethod(callable_obj)
return wrapper
|
route_method
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(method_name, extra_part=False):\n\n def x(callable_obj):\n if method_name.lower() not in DEFAULT_ROUTES:\n raise HandlerHTTPMethodError('Invalid http method in method: {}'\n .format(method_name))\n callable_obj.http_method = method_name.upper()\n callable_obj.url_extra_part = (callable_obj.__name__ if extra_part else\n None)\n return classmethod(callable_obj)\n return wrapper\n",
"role": "user"
},
{
"content": "route_method",
"role": "assistant"
}
] |
def x(lancet, assign, add_to_sprint, summary):
summary = ' '.join(summary)
issue = create_issue(lancet, summary, add_to_active_sprint=add_to_sprint)
if assign:
if assign == 'me':
username = lancet.tracker.whoami()
else:
username = assign
assign_issue(lancet, issue, username)
click.echo('Created issue')
|
issue_add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lancet, assign, add_to_sprint, summary):\n summary = ' '.join(summary)\n issue = create_issue(lancet, summary, add_to_active_sprint=add_to_sprint)\n if assign:\n if assign == 'me':\n username = lancet.tracker.whoami()\n else:\n username = assign\n assign_issue(lancet, issue, username)\n click.echo('Created issue')\n",
"role": "user"
},
{
"content": "issue_add",
"role": "assistant"
}
] |
def x(self, user, attribute, new_value):
old_value = getattr(user, attribute)
if new_value != old_value:
self.stderr.write(_(
'Setting {attribute} for user "{username}" to "{new_value}"').
format(attribute=attribute, username=user.username, new_value=
new_value))
setattr(user, attribute, new_value)
|
maybe_update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user, attribute, new_value):\n old_value = getattr(user, attribute)\n if new_value != old_value:\n self.stderr.write(_(\n 'Setting {attribute} for user \"{username}\" to \"{new_value}\"').\n format(attribute=attribute, username=user.username, new_value=\n new_value))\n setattr(user, attribute, new_value)\n",
"role": "user"
},
{
"content": "maybe_update",
"role": "assistant"
}
] |
def x(self, user, email):
if user.email != email:
raise CommandError(_(
'Skipping user "{}" because the specified and existing email addresses do not match.'
).format(user.username))
|
check_email_match
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user, email):\n if user.email != email:\n raise CommandError(_(\n 'Skipping user \"{}\" because the specified and existing email addresses do not match.'\n ).format(user.username))\n",
"role": "user"
},
{
"content": "check_email_match",
"role": "assistant"
}
] |
def x(url, username, password):
api = HarvestAPI(url, (username, password))
try:
api.whoami()
except HarvestError:
return False
else:
return True
|
credentials_checker
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, username, password):\n api = HarvestAPI(url, (username, password))\n try:\n api.whoami()\n except HarvestError:\n return False\n else:\n return True\n",
"role": "user"
},
{
"content": "credentials_checker",
"role": "assistant"
}
] |
def x(lancet, config_section):
url, username, password = lancet.get_credentials(config_section,
credentials_checker)
project_id_getter = lancet.get_instance_from_config('timer',
'project_id_getter', lancet)
task_id_getter = lancet.get_instance_from_config('timer',
'task_id_getter', lancet)
client = HarvestPlatform(server=url, basic_auth=(username, password),
project_id_getter=project_id_getter, task_id_getter=task_id_getter)
lancet.call_on_close(client.close)
return client
|
harvest
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lancet, config_section):\n url, username, password = lancet.get_credentials(config_section,\n credentials_checker)\n project_id_getter = lancet.get_instance_from_config('timer',\n 'project_id_getter', lancet)\n task_id_getter = lancet.get_instance_from_config('timer',\n 'task_id_getter', lancet)\n client = HarvestPlatform(server=url, basic_auth=(username, password),\n project_id_getter=project_id_getter, task_id_getter=task_id_getter)\n lancet.call_on_close(client.close)\n return client\n",
"role": "user"
},
{
"content": "harvest",
"role": "assistant"
}
] |
def x(folder=None, delete=True):
tempdir = get_temp_dir()
if folder:
tempdir = join(tempdir, folder)
if not exists(tempdir):
makedirs(tempdir)
try:
yield tempdir
finally:
if delete:
rmtree(tempdir)
|
temp_dir
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(folder=None, delete=True):\n tempdir = get_temp_dir()\n if folder:\n tempdir = join(tempdir, folder)\n if not exists(tempdir):\n makedirs(tempdir)\n try:\n yield tempdir\n finally:\n if delete:\n rmtree(tempdir)\n",
"role": "user"
},
{
"content": "temp_dir",
"role": "assistant"
}
] |
def x(self, block=True, timeout=None):
return self._error_queue.get(block=block, timeout=timeout)
|
get_error
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, block=True, timeout=None):\n return self._error_queue.get(block=block, timeout=timeout)\n",
"role": "user"
},
{
"content": "get_error",
"role": "assistant"
}
] |
def x(self, block=True, timeout=None):
if self._feedback_greenlet is None:
self._feedback_greenlet = gevent.spawn(self._feedback_loop)
return self._feedback_queue.get(block=block, timeout=timeout)
|
get_feedback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, block=True, timeout=None):\n if self._feedback_greenlet is None:\n self._feedback_greenlet = gevent.spawn(self._feedback_loop)\n return self._feedback_queue.get(block=block, timeout=timeout)\n",
"role": "user"
},
{
"content": "get_feedback",
"role": "assistant"
}
] |
def x(self, timeout=None):
self._send_queue_cleared.clear()
self._send_queue_cleared.wait(timeout=timeout)
|
wait_send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=None):\n self._send_queue_cleared.clear()\n self._send_queue_cleared.wait(timeout=timeout)\n",
"role": "user"
},
{
"content": "wait_send",
"role": "assistant"
}
] |
def x(self):
if self._send_greenlet is None:
self._send_greenlet = gevent.spawn(self._send_loop)
|
start
|
[
{
"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._send_greenlet is None:\n self._send_greenlet = gevent.spawn(self._send_loop)\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
def x(self, timeout=10.0):
if self._send_greenlet is not None and self._send_queue.qsize() > 0:
self.wait_send(timeout=timeout)
if self._send_greenlet is not None:
gevent.kill(self._send_greenlet)
self._send_greenlet = None
if self._error_greenlet is not None:
gevent.kill(self._error_greenlet)
self._error_greenlet = None
if self._feedback_greenlet is not None:
gevent.kill(self._feedback_greenlet)
self._feedback_greenlet = None
return self._send_queue.qsize() < 1
|
stop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=10.0):\n if self._send_greenlet is not None and self._send_queue.qsize() > 0:\n self.wait_send(timeout=timeout)\n if self._send_greenlet is not None:\n gevent.kill(self._send_greenlet)\n self._send_greenlet = None\n if self._error_greenlet is not None:\n gevent.kill(self._error_greenlet)\n self._error_greenlet = None\n if self._feedback_greenlet is not None:\n gevent.kill(self._feedback_greenlet)\n self._feedback_greenlet = None\n return self._send_queue.qsize() < 1\n",
"role": "user"
},
{
"content": "stop",
"role": "assistant"
}
] |
def x(text, text_format):
if text_format is None:
return text
elif text_format == 'plain':
return plain_to_ssml(text)
elif text_format == 'html':
return html_to_ssml(text)
else:
raise ValueError(text_format + ': text format not found.')
|
convert_to_ssml
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, text_format):\n if text_format is None:\n return text\n elif text_format == 'plain':\n return plain_to_ssml(text)\n elif text_format == 'html':\n return html_to_ssml(text)\n else:\n raise ValueError(text_format + ': text format not found.')\n",
"role": "user"
},
{
"content": "convert_to_ssml",
"role": "assistant"
}
] |
def x(text):
ssml_text = reduce(lambda x, y: x.replace(y, html_to_ssml_maps[y]),
html_to_ssml_maps, text)
return ssml_text
|
html_to_ssml
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n ssml_text = reduce(lambda x, y: x.replace(y, html_to_ssml_maps[y]),\n html_to_ssml_maps, text)\n return ssml_text\n",
"role": "user"
},
{
"content": "html_to_ssml",
"role": "assistant"
}
] |
def x(string, replacements):
pattern = re.compile('|'.join([re.escape(k) for k in sorted(
replacements, key=len, reverse=True)]), flags=re.DOTALL)
return pattern.sub(lambda x: replacements[x.group(0)], string)
|
multiple_replace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string, replacements):\n pattern = re.compile('|'.join([re.escape(k) for k in sorted(\n replacements, key=len, reverse=True)]), flags=re.DOTALL)\n return pattern.sub(lambda x: replacements[x.group(0)], string)\n",
"role": "user"
},
{
"content": "multiple_replace",
"role": "assistant"
}
] |
def x(a, b, match_min_size=30, ignore='', end_characters=''):
compare = difflib.SequenceMatcher(lambda x: x in ignore)
compare.set_seqs(a=a, b=b)
matching_text = list()
for match in compare.get_matching_blocks():
start = match.a
text = a[start:start + match.size]
if end_characters:
prev_text = text
while len(text) != 0 and text[0] in end_characters:
text = text[1:]
while len(text) != 0 and text[-1] not in end_characters:
text = text[:-1]
if len(text) == 0:
text = prev_text
if len(text) >= match_min_size:
matching_text.append(text)
return matching_text
|
get_matching_text_in_strs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b, match_min_size=30, ignore='', end_characters=''):\n compare = difflib.SequenceMatcher(lambda x: x in ignore)\n compare.set_seqs(a=a, b=b)\n matching_text = list()\n for match in compare.get_matching_blocks():\n start = match.a\n text = a[start:start + match.size]\n if end_characters:\n prev_text = text\n while len(text) != 0 and text[0] in end_characters:\n text = text[1:]\n while len(text) != 0 and text[-1] not in end_characters:\n text = text[:-1]\n if len(text) == 0:\n text = prev_text\n if len(text) >= match_min_size:\n matching_text.append(text)\n return matching_text\n",
"role": "user"
},
{
"content": "get_matching_text_in_strs",
"role": "assistant"
}
] |
def x(string_list, match_min_size=30, ignore='', end_characters='.!\r\n'):
a = string_list[0]
for i in range(1, len(string_list)):
b = string_list[i]
result = get_matching_text_in_strs(a, b, match_min_size=
match_min_size, ignore=ignore, end_characters=end_characters)
a = ''.join(result)
return a
|
get_matching_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string_list, match_min_size=30, ignore='', end_characters='.!\\r\\n'):\n a = string_list[0]\n for i in range(1, len(string_list)):\n b = string_list[i]\n result = get_matching_text_in_strs(a, b, match_min_size=\n match_min_size, ignore=ignore, end_characters=end_characters)\n a = ''.join(result)\n return a\n",
"role": "user"
},
{
"content": "get_matching_text",
"role": "assistant"
}
] |
def x(string_list, separator='', match_min_size=30, ignore='',
end_characters='.!\r\n'):
def x(text_list):
if separator and len(text_list) > 0 and text_list[-1][-len(separator):
] != separator:
text_list.append(separator)
a = string_list[0]
for i in range(1, len(string_list)):
b = string_list[i]
combined_len = len(a) + len(b)
result = get_matching_text_in_strs(a, b, match_min_size=
match_min_size, ignore=ignore, end_characters=end_characters)
new_a = a
new_b = b
for text in result:
new_a = new_a.replace(text, '')
new_b = new_b.replace(text, '')
if new_a and new_a in a:
pos_a = a.index(new_a)
else:
pos_a = combined_len
if new_b and new_b in b:
pos_b = b.index(new_b)
else:
pos_b = combined_len
if pos_b > pos_a:
text_1 = new_b
pos_1 = pos_b
text_2 = new_a
pos_2 = pos_a
else:
text_1 = new_a
pos_1 = pos_a
text_2 = new_b
pos_2 = pos_b
output = list()
pos = 0
for text in result:
output.append(text)
pos += len(text)
if text_1 and pos >= pos_1:
add_separator_if_needed(output)
output.append(text_1)
pos += len(text_1)
text_1 = None
if text_2 and pos >= pos_2:
add_separator_if_needed(output)
output.append(text_2)
pos += len(text_2)
text_2 = None
if text_1 and pos_1 == combined_len:
add_separator_if_needed(output)
output.append(text_1)
if text_2 and pos_2 == combined_len:
add_separator_if_needed(output)
output.append(text_2)
a = ''.join(output)
return a
|
get_matching_then_nonmatching_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string_list, separator='', match_min_size=30, ignore='',\n end_characters='.!\\r\\n'):\n\n def x(text_list):\n if separator and len(text_list) > 0 and text_list[-1][-len(separator):\n ] != separator:\n text_list.append(separator)\n a = string_list[0]\n for i in range(1, len(string_list)):\n b = string_list[i]\n combined_len = len(a) + len(b)\n result = get_matching_text_in_strs(a, b, match_min_size=\n match_min_size, ignore=ignore, end_characters=end_characters)\n new_a = a\n new_b = b\n for text in result:\n new_a = new_a.replace(text, '')\n new_b = new_b.replace(text, '')\n if new_a and new_a in a:\n pos_a = a.index(new_a)\n else:\n pos_a = combined_len\n if new_b and new_b in b:\n pos_b = b.index(new_b)\n else:\n pos_b = combined_len\n if pos_b > pos_a:\n text_1 = new_b\n pos_1 = pos_b\n text_2 = new_a\n pos_2 = pos_a\n else:\n text_1 = new_a\n pos_1 = pos_a\n text_2 = new_b\n pos_2 = pos_b\n output = list()\n pos = 0\n for text in result:\n output.append(text)\n pos += len(text)\n if text_1 and pos >= pos_1:\n add_separator_if_needed(output)\n output.append(text_1)\n pos += len(text_1)\n text_1 = None\n if text_2 and pos >= pos_2:\n add_separator_if_needed(output)\n output.append(text_2)\n pos += len(text_2)\n text_2 = None\n if text_1 and pos_1 == combined_len:\n add_separator_if_needed(output)\n output.append(text_1)\n if text_2 and pos_2 == combined_len:\n add_separator_if_needed(output)\n output.append(text_2)\n a = ''.join(output)\n return a\n",
"role": "user"
},
{
"content": "get_matching_then_nonmatching_text",
"role": "assistant"
}
] |
def x(string, keep_escapes=False):
if isinstance(string, bytes):
is_bytes = True
string = string.decode('latin-1')
else:
is_bytes = False
if is_bytes:
return (entry.encode('latin-1') for entry in ExpandBrace(
keep_escapes).expand(string))
else:
return (entry for entry in ExpandBrace(keep_escapes).expand(string))
|
iexpand
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string, keep_escapes=False):\n if isinstance(string, bytes):\n is_bytes = True\n string = string.decode('latin-1')\n else:\n is_bytes = False\n if is_bytes:\n return (entry.encode('latin-1') for entry in ExpandBrace(\n keep_escapes).expand(string))\n else:\n return (entry for entry in ExpandBrace(keep_escapes).expand(string))\n",
"role": "user"
},
{
"content": "iexpand",
"role": "assistant"
}
] |
def x(self):
status = not self.expanding
if status:
self.expanding = True
return status
|
set_expanding
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n status = not self.expanding\n if status:\n self.expanding = True\n return status\n",
"role": "user"
},
{
"content": "set_expanding",
"role": "assistant"
}
] |
def x(self, c, i):
try:
escaped = next(i)
except StopIteration:
escaped = ''
return c + escaped if self.keep_escapes else escaped
|
get_escape
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, c, i):\n try:\n escaped = next(i)\n except StopIteration:\n escaped = ''\n return c + escaped if self.keep_escapes else escaped\n",
"role": "user"
},
{
"content": "get_escape",
"role": "assistant"
}
] |
def x(self, a, b):
return (''.join(x) if isinstance(x, tuple) else x for x in itertools.
product(a, b))
|
squash
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, a, b):\n return (''.join(x) if isinstance(x, tuple) else x for x in itertools.\n product(a, b))\n",
"role": "user"
},
{
"content": "squash",
"role": "assistant"
}
] |
def x(self, c, i, depth):
result = ['']
is_dollar = False
try:
while c:
ignore_brace = is_dollar
is_dollar = False
if c == '$':
is_dollar = True
elif c == '\\':
c = [self.get_escape(c, i)]
elif not ignore_brace and c == '{':
index = i.index
try:
seq = self.get_sequence(next(i), i, depth + 1)
if seq:
c = seq
except StopIteration:
i.rewind(i.index - index)
elif self.is_expanding() and c in (',', '}'):
i.rewind(1)
return (x for x in result)
result = self.squash(result, [c] if isinstance(c, str) else c)
c = next(i)
except StopIteration:
if self.is_expanding():
return None
return (x for x in result)
|
get_literals
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, c, i, depth):\n result = ['']\n is_dollar = False\n try:\n while c:\n ignore_brace = is_dollar\n is_dollar = False\n if c == '$':\n is_dollar = True\n elif c == '\\\\':\n c = [self.get_escape(c, i)]\n elif not ignore_brace and c == '{':\n index = i.index\n try:\n seq = self.get_sequence(next(i), i, depth + 1)\n if seq:\n c = seq\n except StopIteration:\n i.rewind(i.index - index)\n elif self.is_expanding() and c in (',', '}'):\n i.rewind(1)\n return (x for x in result)\n result = self.squash(result, [c] if isinstance(c, str) else c)\n c = next(i)\n except StopIteration:\n if self.is_expanding():\n return None\n return (x for x in result)\n",
"role": "user"
},
{
"content": "get_literals",
"role": "assistant"
}
] |
def x(self, a, b):
for l in (a, b):
for x in l:
yield x
|
combine
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, a, b):\n for l in (a, b):\n for x in l:\n yield x\n",
"role": "user"
},
{
"content": "combine",
"role": "assistant"
}
] |
def x(self, c, i, depth):
result = []
release = self.set_expanding()
has_comma = False
is_empty = True
i.rewind(1)
item = self.get_range(i)
i.advance(1)
if item is not None:
self.release_expanding(release)
return (x for x in item)
try:
while c:
keep_looking = depth == 1 and not has_comma
if c == '}' and (not keep_looking or i.index == 2):
if is_empty:
result = (x for x in self.combine(result, ['']))
if not has_comma:
result = ('{' + literal + '}' for literal in result)
self.release_expanding(release)
return (x for x in result)
elif c == ',':
has_comma = True
if is_empty:
result = (x for x in self.combine(result, ['']))
else:
is_empty = True
elif c == '}':
if not result:
result = (x for x in self.combine(result, [c]))
else:
result = self.squash(result, [c])
value = self.get_literals(next(i), i, depth)
if value is not None:
result = self.squash(result, value)
is_empty = False
else:
value = self.get_literals(c, i, depth)
if value is not None:
result = (x for x in self.combine(result, value))
is_empty = False
c = next(i)
except StopIteration:
self.release_expanding(release)
raise
|
get_sequence
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, c, i, depth):\n result = []\n release = self.set_expanding()\n has_comma = False\n is_empty = True\n i.rewind(1)\n item = self.get_range(i)\n i.advance(1)\n if item is not None:\n self.release_expanding(release)\n return (x for x in item)\n try:\n while c:\n keep_looking = depth == 1 and not has_comma\n if c == '}' and (not keep_looking or i.index == 2):\n if is_empty:\n result = (x for x in self.combine(result, ['']))\n if not has_comma:\n result = ('{' + literal + '}' for literal in result)\n self.release_expanding(release)\n return (x for x in result)\n elif c == ',':\n has_comma = True\n if is_empty:\n result = (x for x in self.combine(result, ['']))\n else:\n is_empty = True\n elif c == '}':\n if not result:\n result = (x for x in self.combine(result, [c]))\n else:\n result = self.squash(result, [c])\n value = self.get_literals(next(i), i, depth)\n if value is not None:\n result = self.squash(result, value)\n is_empty = False\n else:\n value = self.get_literals(c, i, depth)\n if value is not None:\n result = (x for x in self.combine(result, value))\n is_empty = False\n c = next(i)\n except StopIteration:\n self.release_expanding(release)\n raise\n",
"role": "user"
},
{
"content": "get_sequence",
"role": "assistant"
}
] |
def x(self, i):
try:
m = i.match(RE_INT_ITER)
if m:
return self.get_int_range(*m.groups())
m = i.match(RE_CHR_ITER)
if m:
return self.get_char_range(*m.groups())
except Exception:
pass
return None
|
get_range
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, i):\n try:\n m = i.match(RE_INT_ITER)\n if m:\n return self.get_int_range(*m.groups())\n m = i.match(RE_CHR_ITER)\n if m:\n return self.get_char_range(*m.groups())\n except Exception:\n pass\n return None\n",
"role": "user"
},
{
"content": "get_range",
"role": "assistant"
}
] |
def x(self, value, padding):
if padding:
return '{:0{pad}d}'.format(value, pad=padding)
else:
return str(value)
|
format_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, padding):\n if padding:\n return '{:0{pad}d}'.format(value, pad=padding)\n else:\n return str(value)\n",
"role": "user"
},
{
"content": "format_value",
"role": "assistant"
}
] |
def x(self, start, end, increment=None):
first, last = int(start), int(end)
increment = int(increment) if increment is not None else 1
max_length = max(len(start), len(end))
if increment == 0:
increment = 1
if start[0] == '-':
start = start[1:]
if end[0] == '-':
end = end[1:]
if len(start) > 1 and start[0] == '0' or len(end) > 1 and end[0] == '0':
padding = max_length
else:
padding = 0
if first < last:
r = range(first, last + 1, -increment if increment < 0 else increment)
else:
r = range(first, last - 1, increment if increment < 0 else -increment)
return (self.format_value(value, padding) for value in r)
|
get_int_range
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start, end, increment=None):\n first, last = int(start), int(end)\n increment = int(increment) if increment is not None else 1\n max_length = max(len(start), len(end))\n if increment == 0:\n increment = 1\n if start[0] == '-':\n start = start[1:]\n if end[0] == '-':\n end = end[1:]\n if len(start) > 1 and start[0] == '0' or len(end) > 1 and end[0] == '0':\n padding = max_length\n else:\n padding = 0\n if first < last:\n r = range(first, last + 1, -increment if increment < 0 else increment)\n else:\n r = range(first, last - 1, increment if increment < 0 else -increment)\n return (self.format_value(value, padding) for value in r)\n",
"role": "user"
},
{
"content": "get_int_range",
"role": "assistant"
}
] |
def x(self, start, end, increment=None):
increment = int(increment) if increment else 1
if increment < 0:
increment = -increment
if increment == 0:
increment = 1
inverse = start > end
alpha = _nalpha if inverse else _alpha
start = alpha.index(start)
end = alpha.index(end)
if start < end:
return (c for c in alpha[start:end + 1:increment])
else:
return (c for c in alpha[end:start + 1:increment])
|
get_char_range
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start, end, increment=None):\n increment = int(increment) if increment else 1\n if increment < 0:\n increment = -increment\n if increment == 0:\n increment = 1\n inverse = start > end\n alpha = _nalpha if inverse else _alpha\n start = alpha.index(start)\n end = alpha.index(end)\n if start < end:\n return (c for c in alpha[start:end + 1:increment])\n else:\n return (c for c in alpha[end:start + 1:increment])\n",
"role": "user"
},
{
"content": "get_char_range",
"role": "assistant"
}
] |
def x(self, string):
self.expanding = False
empties = []
found_literal = False
if string:
i = iter(StringIter(string))
for x in self.get_literals(next(i), i, 0):
if not x:
empties.append(x)
continue
found_literal = True
while empties:
yield empties.pop(0)
yield x
empties = []
if not found_literal:
yield ''
|
expand
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string):\n self.expanding = False\n empties = []\n found_literal = False\n if string:\n i = iter(StringIter(string))\n for x in self.get_literals(next(i), i, 0):\n if not x:\n empties.append(x)\n continue\n found_literal = True\n while empties:\n yield empties.pop(0)\n yield x\n empties = []\n if not found_literal:\n yield ''\n",
"role": "user"
},
{
"content": "expand",
"role": "assistant"
}
] |
def x(a, b, merge_lists=False):
key = None
try:
if a is None or isinstance(a, (six.string_types, six.text_type, six
.integer_types, float)):
a = b
elif isinstance(a, list):
if isinstance(b, list):
if merge_lists:
a.extend(b)
else:
a = b
else:
a.append(b)
elif isinstance(a, (dict, UserDict)):
if isinstance(b, (dict, UserDict)):
for key in b:
if key in a:
a[key] = merge_two_dictionaries(a[key], b[key],
merge_lists=merge_lists)
else:
a[key] = b[key]
else:
raise ValueError(
'Cannot merge non-dict "%s" into dict "%s"' % (b, a))
else:
raise ValueError('NOT IMPLEMENTED "%s" into "%s"' % (b, a))
except TypeError as e:
raise ValueError(
'TypeError "%s" in key "%s" when merging "%s" into "%s"' % (e,
key, b, a))
return a
|
merge_two_dictionaries
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b, merge_lists=False):\n key = None\n try:\n if a is None or isinstance(a, (six.string_types, six.text_type, six\n .integer_types, float)):\n a = b\n elif isinstance(a, list):\n if isinstance(b, list):\n if merge_lists:\n a.extend(b)\n else:\n a = b\n else:\n a.append(b)\n elif isinstance(a, (dict, UserDict)):\n if isinstance(b, (dict, UserDict)):\n for key in b:\n if key in a:\n a[key] = merge_two_dictionaries(a[key], b[key],\n merge_lists=merge_lists)\n else:\n a[key] = b[key]\n else:\n raise ValueError(\n 'Cannot merge non-dict \"%s\" into dict \"%s\"' % (b, a))\n else:\n raise ValueError('NOT IMPLEMENTED \"%s\" into \"%s\"' % (b, a))\n except TypeError as e:\n raise ValueError(\n 'TypeError \"%s\" in key \"%s\" when merging \"%s\" into \"%s\"' % (e,\n key, b, a))\n return a\n",
"role": "user"
},
{
"content": "merge_two_dictionaries",
"role": "assistant"
}
] |
def x(dicts, merge_lists=False):
dict1 = dicts[0]
for other_dict in dicts[1:]:
merge_two_dictionaries(dict1, other_dict, merge_lists=merge_lists)
return dict1
|
merge_dictionaries
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dicts, merge_lists=False):\n dict1 = dicts[0]\n for other_dict in dicts[1:]:\n merge_two_dictionaries(dict1, other_dict, merge_lists=merge_lists)\n return dict1\n",
"role": "user"
},
{
"content": "merge_dictionaries",
"role": "assistant"
}
] |
def x(d1, d2, no_key='<KEYNOTFOUND>'):
d1keys = set(d1.keys())
d2keys = set(d2.keys())
both = d1keys & d2keys
diff = {k: (d1[k], d2[k]) for k in both if d1[k] != d2[k]}
diff.update({k: (d1[k], no_key) for k in d1keys - both})
diff.update({k: (no_key, d2[k]) for k in d2keys - both})
return diff
|
dict_diff
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d1, d2, no_key='<KEYNOTFOUND>'):\n d1keys = set(d1.keys())\n d2keys = set(d2.keys())\n both = d1keys & d2keys\n diff = {k: (d1[k], d2[k]) for k in both if d1[k] != d2[k]}\n diff.update({k: (d1[k], no_key) for k in d1keys - both})\n diff.update({k: (no_key, d2[k]) for k in d2keys - both})\n return diff\n",
"role": "user"
},
{
"content": "dict_diff",
"role": "assistant"
}
] |
def x(dictionary, key, value):
list_objs = dictionary.get(key, list())
list_objs.append(value)
dictionary[key] = list_objs
|
dict_of_lists_add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dictionary, key, value):\n list_objs = dictionary.get(key, list())\n list_objs.append(value)\n dictionary[key] = list_objs\n",
"role": "user"
},
{
"content": "dict_of_lists_add",
"role": "assistant"
}
] |
def x(dictionary, key, value):
set_objs = dictionary.get(key, set())
set_objs.add(value)
dictionary[key] = set_objs
|
dict_of_sets_add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dictionary, key, value):\n set_objs = dictionary.get(key, set())\n set_objs.add(value)\n dictionary[key] = set_objs\n",
"role": "user"
},
{
"content": "dict_of_sets_add",
"role": "assistant"
}
] |
def x(input_list, function=lambda x: x):
dictionary = dict()
for obj in input_list:
dict_of_lists_add(dictionary, function(obj), obj)
output_list = list()
i = 0
done = False
while not done:
found = False
for key in sorted(dictionary):
if i < len(dictionary[key]):
output_list.append(dictionary[key][i])
found = True
if found:
i += 1
else:
done = True
return output_list
|
list_distribute_contents_simple
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input_list, function=lambda x: x):\n dictionary = dict()\n for obj in input_list:\n dict_of_lists_add(dictionary, function(obj), obj)\n output_list = list()\n i = 0\n done = False\n while not done:\n found = False\n for key in sorted(dictionary):\n if i < len(dictionary[key]):\n output_list.append(dictionary[key][i])\n found = True\n if found:\n i += 1\n else:\n done = True\n return output_list\n",
"role": "user"
},
{
"content": "list_distribute_contents_simple",
"role": "assistant"
}
] |
def x(input_list, function=lambda x: x):
def x(piles_list):
def x(n, iterable, fillvalue=None):
args = [iter(iterable)] * n
return zip_longest(*args, fillvalue=fillvalue)
if not piles_list:
return []
piles_list.sort(key=len, reverse=True)
width = len(piles_list[0])
pile_iters_list = [iter(pile) for pile in piles_list]
pile_sizes_list = [([pile_position] * len(pile)) for pile_position,
pile in enumerate(piles_list)]
grouped_rows = grouper(width, itertools.chain.from_iterable(
pile_sizes_list))
grouped_columns = zip_longest(*grouped_rows)
shuffled_pile = [next(pile_iters_list[position]) for position in
itertools.chain.from_iterable(grouped_columns) if position is not
None]
return shuffled_pile
dictionary = dict()
for obj in input_list:
dict_of_lists_add(dictionary, function(obj), obj)
intermediate_list = list()
for key in sorted(dictionary):
intermediate_list.append(dictionary[key])
return riffle_shuffle(intermediate_list)
|
list_distribute_contents
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input_list, function=lambda x: x):\n\n def x(piles_list):\n\n def x(n, iterable, fillvalue=None):\n args = [iter(iterable)] * n\n return zip_longest(*args, fillvalue=fillvalue)\n if not piles_list:\n return []\n piles_list.sort(key=len, reverse=True)\n width = len(piles_list[0])\n pile_iters_list = [iter(pile) for pile in piles_list]\n pile_sizes_list = [([pile_position] * len(pile)) for pile_position,\n pile in enumerate(piles_list)]\n grouped_rows = grouper(width, itertools.chain.from_iterable(\n pile_sizes_list))\n grouped_columns = zip_longest(*grouped_rows)\n shuffled_pile = [next(pile_iters_list[position]) for position in\n itertools.chain.from_iterable(grouped_columns) if position is not\n None]\n return shuffled_pile\n dictionary = dict()\n for obj in input_list:\n dict_of_lists_add(dictionary, function(obj), obj)\n intermediate_list = list()\n for key in sorted(dictionary):\n intermediate_list.append(dictionary[key])\n return riffle_shuffle(intermediate_list)\n",
"role": "user"
},
{
"content": "list_distribute_contents",
"role": "assistant"
}
] |
def x(list_of_dict, key):
result = list()
for dictionary in list_of_dict:
result.append(dictionary[key])
return result
|
extract_list_from_list_of_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(list_of_dict, key):\n result = list()\n for dictionary in list_of_dict:\n result.append(dictionary[key])\n return result\n",
"role": "user"
},
{
"content": "extract_list_from_list_of_dict",
"role": "assistant"
}
] |
def x(dictin, keyfn=lambda x: x, valuefn=lambda x: x, dropfailedkeys=False,
dropfailedvalues=False, exception=ValueError):
dictout = dict()
for key in dictin:
try:
new_key = keyfn(key)
except exception:
if dropfailedkeys:
continue
new_key = key
value = dictin[key]
try:
new_value = valuefn(value)
except exception:
if dropfailedvalues:
continue
new_value = value
dictout[new_key] = new_value
return dictout
|
key_value_convert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dictin, keyfn=lambda x: x, valuefn=lambda x: x, dropfailedkeys=False,\n dropfailedvalues=False, exception=ValueError):\n dictout = dict()\n for key in dictin:\n try:\n new_key = keyfn(key)\n except exception:\n if dropfailedkeys:\n continue\n new_key = key\n value = dictin[key]\n try:\n new_value = valuefn(value)\n except exception:\n if dropfailedvalues:\n continue\n new_value = value\n dictout[new_key] = new_value\n return dictout\n",
"role": "user"
},
{
"content": "key_value_convert",
"role": "assistant"
}
] |
def x(dictin, dropfailedkeys=False):
return key_value_convert(dictin, keyfn=int, dropfailedkeys=dropfailedkeys)
|
integer_key_convert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dictin, dropfailedkeys=False):\n return key_value_convert(dictin, keyfn=int, dropfailedkeys=dropfailedkeys)\n",
"role": "user"
},
{
"content": "integer_key_convert",
"role": "assistant"
}
] |
def x(dictin, dropfailedvalues=False):
return key_value_convert(dictin, valuefn=int, dropfailedvalues=
dropfailedvalues)
|
integer_value_convert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dictin, dropfailedvalues=False):\n return key_value_convert(dictin, valuefn=int, dropfailedvalues=\n dropfailedvalues)\n",
"role": "user"
},
{
"content": "integer_value_convert",
"role": "assistant"
}
] |
def x(dictin, dropfailedvalues=False):
return key_value_convert(dictin, valuefn=float, dropfailedvalues=
dropfailedvalues)
|
float_value_convert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dictin, dropfailedvalues=False):\n return key_value_convert(dictin, valuefn=float, dropfailedvalues=\n dropfailedvalues)\n",
"role": "user"
},
{
"content": "float_value_convert",
"role": "assistant"
}
] |
def x(dictin1, dictin2, dropmissing=True):
dictout = dict()
for key in dictin1:
if key in dictin2:
dictout[key] = (dictin1[key] + dictin2[key]) / 2
elif not dropmissing:
dictout[key] = dictin1[key]
if not dropmissing:
for key in dictin2:
if key not in dictin1:
dictout[key] = dictin2[key]
return dictout
|
avg_dicts
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dictin1, dictin2, dropmissing=True):\n dictout = dict()\n for key in dictin1:\n if key in dictin2:\n dictout[key] = (dictin1[key] + dictin2[key]) / 2\n elif not dropmissing:\n dictout[key] = dictin1[key]\n if not dropmissing:\n for key in dictin2:\n if key not in dictin1:\n dictout[key] = dictin2[key]\n return dictout\n",
"role": "user"
},
{
"content": "avg_dicts",
"role": "assistant"
}
] |
def x(filepath, dict_form=False, headers=None, **kwargs):
stream = Stream(filepath, headers=headers, **kwargs)
stream.open()
result = stream.read(keyed=dict_form)
stream.close()
return result
|
read_list_from_csv
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filepath, dict_form=False, headers=None, **kwargs):\n stream = Stream(filepath, headers=headers, **kwargs)\n stream.open()\n result = stream.read(keyed=dict_form)\n stream.close()\n return result\n",
"role": "user"
},
{
"content": "read_list_from_csv",
"role": "assistant"
}
] |
def x(list_of_rows, filepath, headers=None):
stream = Stream(list_of_rows, headers=headers)
stream.open()
stream.save(filepath, format='csv')
stream.close()
|
write_list_to_csv
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(list_of_rows, filepath, headers=None):\n stream = Stream(list_of_rows, headers=headers)\n stream.open()\n stream.save(filepath, format='csv')\n stream.close()\n",
"role": "user"
},
{
"content": "write_list_to_csv",
"role": "assistant"
}
] |
def x(args):
arguments = dict()
for arg in args.split(','):
key, value = arg.split('=')
arguments[key] = value
return arguments
|
args_to_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n arguments = dict()\n for arg in args.split(','):\n key, value = arg.split('=')\n arguments[key] = value\n return arguments\n",
"role": "user"
},
{
"content": "args_to_dict",
"role": "assistant"
}
] |
def x(path1, path2):
diff = difflib.ndiff(open(path1).readlines(), open(path2).readlines())
return [x for x in diff if x[0] in ['-', '+', '?']]
|
compare_files
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path1, path2):\n diff = difflib.ndiff(open(path1).readlines(), open(path2).readlines())\n return [x for x in diff if x[0] in ['-', '+', '?']]\n",
"role": "user"
},
{
"content": "compare_files",
"role": "assistant"
}
] |
def x(path1, path2):
difflines = compare_files(path1, path2)
assert len(difflines) == 0, ''.join(['\n'] + difflines)
|
assert_files_same
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path1, path2):\n difflines = compare_files(path1, path2)\n assert len(difflines) == 0, ''.join(['\\n'] + difflines)\n",
"role": "user"
},
{
"content": "assert_files_same",
"role": "assistant"
}
] |
def x():
locale.setlocale(locale.LC_ALL, '')
if str == bytes:
writer = codecs.getwriter(locale.getpreferredencoding())
o_stdout, o_stderr = sys.stdout, sys.stderr
sys.stdout = writer(sys.stdout)
sys.stdout.buffer = o_stdout
sys.stderr = writer(sys.stderr)
sys.stderr.buffer = o_stderr
else:
sys.stdin = sys.stdin.buffer
def x(opt):
opt.add_argument('-r', '--runtime', action='store', help=
"runtime to deploy on the server if the queue doesn't exist. If unspecified, will auto-detect what is appropriate, and fallback on 'default'."
)
def x(opt):
opt.add_argument('destination', action='store', help=
'Machine to SSH into; [user@]host[:port]')
opt.add_argument('--queue', action='store', default=DEFAULT_TEJ_DIR,
help="Directory for tej's files")
parser = argparse.ArgumentParser(description=
'Trivial Extensible Job-submission')
parser.add_argument('--version', action='version', version=
'tej version %s' % tej_version)
parser.add_argument('-v', '--verbose', action='count', default=1, dest=
'verbosity', help='augments verbosity level')
subparsers = parser.add_subparsers(title='commands', metavar='')
parser_setup = subparsers.add_parser('setup', help=
'Sets up tej on a remote machine')
add_destination_option(parser_setup)
add_runtime_option(parser_setup)
parser_setup.add_argument('--make-link', action='append', dest='make_link')
parser_setup.add_argument('--make-default-link', action='append_const',
dest='make_link', const=DEFAULT_TEJ_DIR)
parser_setup.add_argument('--force', action='store_true')
parser_setup.add_argument('--only-links', action='store_true')
parser_setup.set_defaults(func=_setup)
parser_submit = subparsers.add_parser('submit', help=
'Submits a job to a remote machine')
add_destination_option(parser_submit)
add_runtime_option(parser_submit)
parser_submit.add_argument('--id', action='store', help=
'Identifier for the new job')
parser_submit.add_argument('--script', action='store', help=
'Relative name of the script in the directory')
parser_submit.add_argument('directory', action='store', help=
'Job directory to upload')
parser_submit.set_defaults(func=_submit)
parser_status = subparsers.add_parser('status', help=
'Gets the status of a job')
add_destination_option(parser_status)
parser_status.add_argument('--id', action='store', help=
'Identifier of the running job')
parser_status.set_defaults(func=_status)
parser_download = subparsers.add_parser('download', help=
'Downloads files from finished job')
add_destination_option(parser_download)
parser_download.add_argument('--id', action='store', help=
'Identifier of the job')
parser_download.add_argument('files', action='store', nargs=argparse.
ONE_OR_MORE, help='Files to download')
parser_download.set_defaults(func=_download)
parser_kill = subparsers.add_parser('kill', help='Kills a running job')
add_destination_option(parser_kill)
parser_kill.add_argument('--id', action='store', help=
'Identifier of the running job')
parser_kill.set_defaults(func=_kill)
parser_delete = subparsers.add_parser('delete', help=
'Deletes a finished job')
add_destination_option(parser_delete)
parser_delete.add_argument('--id', action='store', help=
'Identifier of the finished job')
parser_delete.set_defaults(func=_delete)
parser_list = subparsers.add_parser('list', help='Lists remote jobs')
add_destination_option(parser_list)
parser_list.set_defaults(func=_list)
args = parser.parse_args()
setup_logging(args.verbosity)
try:
args.func(args)
except Error as e:
logger.critical(e)
sys.exit(1)
sys.exit(0)
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n locale.setlocale(locale.LC_ALL, '')\n if str == bytes:\n writer = codecs.getwriter(locale.getpreferredencoding())\n o_stdout, o_stderr = sys.stdout, sys.stderr\n sys.stdout = writer(sys.stdout)\n sys.stdout.buffer = o_stdout\n sys.stderr = writer(sys.stderr)\n sys.stderr.buffer = o_stderr\n else:\n sys.stdin = sys.stdin.buffer\n\n def x(opt):\n opt.add_argument('-r', '--runtime', action='store', help=\n \"runtime to deploy on the server if the queue doesn't exist. If unspecified, will auto-detect what is appropriate, and fallback on 'default'.\"\n )\n\n def x(opt):\n opt.add_argument('destination', action='store', help=\n 'Machine to SSH into; [user@]host[:port]')\n opt.add_argument('--queue', action='store', default=DEFAULT_TEJ_DIR,\n help=\"Directory for tej's files\")\n parser = argparse.ArgumentParser(description=\n 'Trivial Extensible Job-submission')\n parser.add_argument('--version', action='version', version=\n 'tej version %s' % tej_version)\n parser.add_argument('-v', '--verbose', action='count', default=1, dest=\n 'verbosity', help='augments verbosity level')\n subparsers = parser.add_subparsers(title='commands', metavar='')\n parser_setup = subparsers.add_parser('setup', help=\n 'Sets up tej on a remote machine')\n add_destination_option(parser_setup)\n add_runtime_option(parser_setup)\n parser_setup.add_argument('--make-link', action='append', dest='make_link')\n parser_setup.add_argument('--make-default-link', action='append_const',\n dest='make_link', const=DEFAULT_TEJ_DIR)\n parser_setup.add_argument('--force', action='store_true')\n parser_setup.add_argument('--only-links', action='store_true')\n parser_setup.set_defaults(func=_setup)\n parser_submit = subparsers.add_parser('submit', help=\n 'Submits a job to a remote machine')\n add_destination_option(parser_submit)\n add_runtime_option(parser_submit)\n parser_submit.add_argument('--id', action='store', help=\n 'Identifier for the new job')\n parser_submit.add_argument('--script', action='store', help=\n 'Relative name of the script in the directory')\n parser_submit.add_argument('directory', action='store', help=\n 'Job directory to upload')\n parser_submit.set_defaults(func=_submit)\n parser_status = subparsers.add_parser('status', help=\n 'Gets the status of a job')\n add_destination_option(parser_status)\n parser_status.add_argument('--id', action='store', help=\n 'Identifier of the running job')\n parser_status.set_defaults(func=_status)\n parser_download = subparsers.add_parser('download', help=\n 'Downloads files from finished job')\n add_destination_option(parser_download)\n parser_download.add_argument('--id', action='store', help=\n 'Identifier of the job')\n parser_download.add_argument('files', action='store', nargs=argparse.\n ONE_OR_MORE, help='Files to download')\n parser_download.set_defaults(func=_download)\n parser_kill = subparsers.add_parser('kill', help='Kills a running job')\n add_destination_option(parser_kill)\n parser_kill.add_argument('--id', action='store', help=\n 'Identifier of the running job')\n parser_kill.set_defaults(func=_kill)\n parser_delete = subparsers.add_parser('delete', help=\n 'Deletes a finished job')\n add_destination_option(parser_delete)\n parser_delete.add_argument('--id', action='store', help=\n 'Identifier of the finished job')\n parser_delete.set_defaults(func=_delete)\n parser_list = subparsers.add_parser('list', help='Lists remote jobs')\n add_destination_option(parser_list)\n parser_list.set_defaults(func=_list)\n args = parser.parse_args()\n setup_logging(args.verbosity)\n try:\n args.func(args)\n except Error as e:\n logger.critical(e)\n sys.exit(1)\n sys.exit(0)\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(self, callback, context):
def x(*args, **kwargs):
try:
return callback(*args, **kwargs)
except bottle.HTTPError as error:
return self.error_wrapper.from_status(status_line=error.
status_line, msg=error.body)
return wrapper
|
apply
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback, context):\n\n def x(*args, **kwargs):\n try:\n return callback(*args, **kwargs)\n except bottle.HTTPError as error:\n return self.error_wrapper.from_status(status_line=error.\n status_line, msg=error.body)\n return wrapper\n",
"role": "user"
},
{
"content": "apply",
"role": "assistant"
}
] |
def x(self, text, text_format, title, author, summary=None, publish_date=
None, synthesizer='watson', synth_args=None, sentence_break='. '):
if title in self.episodes:
raise ValueError('"' + title + '" already exists as an episode title.')
link = self.output_path + '/' + title.replace(' ', '_').lower() + '.mp3'
episode_text = convert_to_ssml(text, text_format)
new_episode = Episode(episode_text, text_format, title, author, link,
summary, publish_date, synthesizer, synth_args, sentence_break)
self.episodes[title] = new_episode
|
add_episode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text, text_format, title, author, summary=None, publish_date=\n None, synthesizer='watson', synth_args=None, sentence_break='. '):\n if title in self.episodes:\n raise ValueError('\"' + title + '\" already exists as an episode title.')\n link = self.output_path + '/' + title.replace(' ', '_').lower() + '.mp3'\n episode_text = convert_to_ssml(text, text_format)\n new_episode = Episode(episode_text, text_format, title, author, link,\n summary, publish_date, synthesizer, synth_args, sentence_break)\n self.episodes[title] = new_episode\n",
"role": "user"
},
{
"content": "add_episode",
"role": "assistant"
}
] |
def x(self, text_source, cron_args, text_format, title, author, summary=
None, synthesizer='watson', synth_args=None, sentence_break='. '):
if not callable(text_source):
raise TypeError('Argument "text" must be a function')
def x():
episode_text = text_source()
episode_title = title + '_' + datetime.utcnow().strftime('%Y%m%d%H%M%S'
)
self.add_episode(episode_text, text_format, episode_title, author,
summary, datetime.utcnow(), synthesizer, synth_args, sentence_break
)
self.scheduled_jobs[title] = self._scheduler.add_job(add_episode,
'cron', id=title, **cron_args)
if not self._scheduler.running:
self._scheduler.start()
|
add_scheduled_job
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text_source, cron_args, text_format, title, author, summary=\n None, synthesizer='watson', synth_args=None, sentence_break='. '):\n if not callable(text_source):\n raise TypeError('Argument \"text\" must be a function')\n\n def x():\n episode_text = text_source()\n episode_title = title + '_' + datetime.utcnow().strftime('%Y%m%d%H%M%S'\n )\n self.add_episode(episode_text, text_format, episode_title, author,\n summary, datetime.utcnow(), synthesizer, synth_args, sentence_break\n )\n self.scheduled_jobs[title] = self._scheduler.add_job(add_episode,\n 'cron', id=title, **cron_args)\n if not self._scheduler.running:\n self._scheduler.start()\n",
"role": "user"
},
{
"content": "add_scheduled_job",
"role": "assistant"
}
] |
def x(self, titles):
if isinstance(titles, Sequence) and not isinstance(titles, six.string_types
):
for title in titles:
self.episodes[title].publish()
elif isinstance(titles, six.string_types):
self.episodes[titles].publish()
else:
raise TypeError('titles must be a string or a sequence of strings.')
self.update_rss_feed()
|
publish
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, titles):\n if isinstance(titles, Sequence) and not isinstance(titles, six.string_types\n ):\n for title in titles:\n self.episodes[title].publish()\n elif isinstance(titles, six.string_types):\n self.episodes[titles].publish()\n else:\n raise TypeError('titles must be a string or a sequence of strings.')\n self.update_rss_feed()\n",
"role": "user"
},
{
"content": "publish",
"role": "assistant"
}
] |
def x(self):
segment = text_to_speech(self._text, self.synthesizer, self.synth_args,
self.sentence_break)
milli = len(segment)
seconds = '{0:.1f}'.format(float(milli) / 1000 % 60).zfill(2)
minutes = '{0:.0f}'.format(milli / (1000 * 60) % 60).zfill(2)
hours = '{0:.0f}'.format(milli / (1000 * 60 * 60) % 24).zfill(2)
self.duration = hours + ':' + minutes + ':' + seconds
segment.export(self.link, format='mp3')
self.length = os.path.getsize(self.link)
|
render_audio
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n segment = text_to_speech(self._text, self.synthesizer, self.synth_args,\n self.sentence_break)\n milli = len(segment)\n seconds = '{0:.1f}'.format(float(milli) / 1000 % 60).zfill(2)\n minutes = '{0:.0f}'.format(milli / (1000 * 60) % 60).zfill(2)\n hours = '{0:.0f}'.format(milli / (1000 * 60 * 60) % 24).zfill(2)\n self.duration = hours + ':' + minutes + ':' + seconds\n segment.export(self.link, format='mp3')\n self.length = os.path.getsize(self.link)\n",
"role": "user"
},
{
"content": "render_audio",
"role": "assistant"
}
] |
def x(self):
if self.published is False:
self.published = True
else:
raise Warning(self.title + ' is already published.')
|
publish
|
[
{
"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.published is False:\n self.published = True\n else:\n raise Warning(self.title + ' is already published.')\n",
"role": "user"
},
{
"content": "publish",
"role": "assistant"
}
] |
def x(self):
if self.published is True:
self.published = False
else:
raise Warning(self.title + ' is already not published.')
|
unpublish
|
[
{
"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.published is True:\n self.published = False\n else:\n raise Warning(self.title + ' is already not published.')\n",
"role": "user"
},
{
"content": "unpublish",
"role": "assistant"
}
] |
def x(**kwargs):
user_agent = os.getenv('USER_AGENT')
if user_agent is not None:
kwargs['user_agent'] = user_agent
preprefix = os.getenv('PREPREFIX')
if preprefix is not None:
kwargs['preprefix'] = preprefix
return kwargs
|
environment_variables
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**kwargs):\n user_agent = os.getenv('USER_AGENT')\n if user_agent is not None:\n kwargs['user_agent'] = user_agent\n preprefix = os.getenv('PREPREFIX')\n if preprefix is not None:\n kwargs['preprefix'] = preprefix\n return kwargs\n",
"role": "user"
},
{
"content": "environment_variables",
"role": "assistant"
}
] |
def x(configdict, prefix, ua):
if not ua:
raise UserAgentError(
"User_agent parameter missing. It can be your project's name for example."
)
preprefix = configdict.get('preprefix')
if preprefix:
user_agent = '%s:' % preprefix
else:
user_agent = ''
if prefix:
user_agent = '%s%s-' % (user_agent, prefix)
user_agent = '%s%s' % (user_agent, ua)
return user_agent
|
construct
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(configdict, prefix, ua):\n if not ua:\n raise UserAgentError(\n \"User_agent parameter missing. It can be your project's name for example.\"\n )\n preprefix = configdict.get('preprefix')\n if preprefix:\n user_agent = '%s:' % preprefix\n else:\n user_agent = ''\n if prefix:\n user_agent = '%s%s-' % (user_agent, prefix)\n user_agent = '%s%s' % (user_agent, ua)\n return user_agent\n",
"role": "user"
},
{
"content": "construct",
"role": "assistant"
}
] |
def x(cls, prefix, user_agent_config_yaml, user_agent_lookup=None):
if not user_agent_config_yaml:
user_agent_config_yaml = cls.default_user_agent_config_yaml
logger.info(
'No user agent or user agent config file given. Using default user agent config file: %s.'
% user_agent_config_yaml)
if not isfile(user_agent_config_yaml):
raise UserAgentError(
"User_agent should be supplied in a YAML config file. It can be your project's name for example."
)
logger.info('Loading user agent config from: %s' % user_agent_config_yaml)
user_agent_config_dict = load_yaml(user_agent_config_yaml)
if user_agent_lookup:
user_agent_config_dict = user_agent_config_dict.get(user_agent_lookup)
if not user_agent_config_dict:
raise UserAgentError('No user agent information read from: %s' %
user_agent_config_yaml)
ua = user_agent_config_dict.get('user_agent')
return cls._construct(user_agent_config_dict, prefix, ua)
|
load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, prefix, user_agent_config_yaml, user_agent_lookup=None):\n if not user_agent_config_yaml:\n user_agent_config_yaml = cls.default_user_agent_config_yaml\n logger.info(\n 'No user agent or user agent config file given. Using default user agent config file: %s.'\n % user_agent_config_yaml)\n if not isfile(user_agent_config_yaml):\n raise UserAgentError(\n \"User_agent should be supplied in a YAML config file. It can be your project's name for example.\"\n )\n logger.info('Loading user agent config from: %s' % user_agent_config_yaml)\n user_agent_config_dict = load_yaml(user_agent_config_yaml)\n if user_agent_lookup:\n user_agent_config_dict = user_agent_config_dict.get(user_agent_lookup)\n if not user_agent_config_dict:\n raise UserAgentError('No user agent information read from: %s' %\n user_agent_config_yaml)\n ua = user_agent_config_dict.get('user_agent')\n return cls._construct(user_agent_config_dict, prefix, ua)\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(cls, user_agent=None, user_agent_config_yaml=None, user_agent_lookup=
None, **kwargs):
kwargs = UserAgent._environment_variables(**kwargs)
if 'user_agent' in kwargs:
user_agent = kwargs['user_agent']
del kwargs['user_agent']
prefix = kwargs.get('prefix')
if prefix:
del kwargs['prefix']
else:
prefix = 'HDXPythonUtilities/%s' % get_utils_version()
if not user_agent:
ua = cls._load(prefix, user_agent_config_yaml, user_agent_lookup)
else:
ua = cls._construct(kwargs, prefix, user_agent)
return ua
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, user_agent=None, user_agent_config_yaml=None, user_agent_lookup=\n None, **kwargs):\n kwargs = UserAgent._environment_variables(**kwargs)\n if 'user_agent' in kwargs:\n user_agent = kwargs['user_agent']\n del kwargs['user_agent']\n prefix = kwargs.get('prefix')\n if prefix:\n del kwargs['prefix']\n else:\n prefix = 'HDXPythonUtilities/%s' % get_utils_version()\n if not user_agent:\n ua = cls._load(prefix, user_agent_config_yaml, user_agent_lookup)\n else:\n ua = cls._construct(kwargs, prefix, user_agent)\n return ua\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(cls, user_agent=None, user_agent_config_yaml=None, user_agent_lookup=
None, **kwargs):
cls.user_agent = cls._create(user_agent, user_agent_config_yaml,
user_agent_lookup, **kwargs)
|
set_global
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, user_agent=None, user_agent_config_yaml=None, user_agent_lookup=\n None, **kwargs):\n cls.user_agent = cls._create(user_agent, user_agent_config_yaml,\n user_agent_lookup, **kwargs)\n",
"role": "user"
},
{
"content": "set_global",
"role": "assistant"
}
] |
def x(cls, user_agent=None, user_agent_config_yaml=None, user_agent_lookup=
None, **kwargs):
if (user_agent or user_agent_config_yaml or 'user_agent' in UserAgent.
_environment_variables(**kwargs)):
return UserAgent._create(user_agent, user_agent_config_yaml,
user_agent_lookup, **kwargs)
if cls.user_agent:
return cls.user_agent
else:
raise UserAgentError(
'You must either set the global user agent: UserAgent.set_global(...) or pass in user agent parameters!'
)
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, user_agent=None, user_agent_config_yaml=None, user_agent_lookup=\n None, **kwargs):\n if (user_agent or user_agent_config_yaml or 'user_agent' in UserAgent.\n _environment_variables(**kwargs)):\n return UserAgent._create(user_agent, user_agent_config_yaml,\n user_agent_lookup, **kwargs)\n if cls.user_agent:\n return cls.user_agent\n else:\n raise UserAgentError(\n 'You must either set the global user agent: UserAgent.set_global(...) or pass in user agent parameters!'\n )\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(dictionary, path, pretty=False, sortkeys=False):
if sortkeys:
dictionary = dict(dictionary)
with open(path, 'w') as f:
if pretty:
pyaml.dump(dictionary, f)
else:
yaml.dump(dictionary, f, default_flow_style=None, Dumper=
yamlloader.ordereddict.CDumper)
|
save_yaml
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dictionary, path, pretty=False, sortkeys=False):\n if sortkeys:\n dictionary = dict(dictionary)\n with open(path, 'w') as f:\n if pretty:\n pyaml.dump(dictionary, f)\n else:\n yaml.dump(dictionary, f, default_flow_style=None, Dumper=\n yamlloader.ordereddict.CDumper)\n",
"role": "user"
},
{
"content": "save_yaml",
"role": "assistant"
}
] |
def x(dictionary, path, pretty=False, sortkeys=False):
with open(path, 'w') as f:
if pretty:
indent = 2
separators = ',', ': '
else:
indent = None
separators = ', ', ': '
json.dump(dictionary, f, indent=indent, sort_keys=sortkeys,
separators=separators)
|
save_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dictionary, path, pretty=False, sortkeys=False):\n with open(path, 'w') as f:\n if pretty:\n indent = 2\n separators = ',', ': '\n else:\n indent = None\n separators = ', ', ': '\n json.dump(dictionary, f, indent=indent, sort_keys=sortkeys,\n separators=separators)\n",
"role": "user"
},
{
"content": "save_json",
"role": "assistant"
}
] |
def x(path):
with open(path, 'rt') as f:
yamldict = yaml.load(f.read(), Loader=yamlloader.ordereddict.
CSafeLoader)
if not yamldict:
raise LoadError('YAML file: %s is empty!' % path)
return yamldict
|
load_yaml
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n with open(path, 'rt') as f:\n yamldict = yaml.load(f.read(), Loader=yamlloader.ordereddict.\n CSafeLoader)\n if not yamldict:\n raise LoadError('YAML file: %s is empty!' % path)\n return yamldict\n",
"role": "user"
},
{
"content": "load_yaml",
"role": "assistant"
}
] |
def x(path):
with open(path, 'rt') as f:
jsondict = json.loads(f.read(), object_pairs_hook=OrderedDict)
if not jsondict:
raise LoadError('JSON file: %s is empty!' % path)
return jsondict
|
load_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n with open(path, 'rt') as f:\n jsondict = json.loads(f.read(), object_pairs_hook=OrderedDict)\n if not jsondict:\n raise LoadError('JSON file: %s is empty!' % path)\n return jsondict\n",
"role": "user"
},
{
"content": "load_json",
"role": "assistant"
}
] |
def x(path):
with open(path, 'rt') as f:
string = f.read().replace(linesep, '')
if not string:
raise LoadError('%s file is empty!' % path)
return string
|
load_file_to_str
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n with open(path, 'rt') as f:\n string = f.read().replace(linesep, '')\n if not string:\n raise LoadError('%s file is empty!' % path)\n return string\n",
"role": "user"
},
{
"content": "load_file_to_str",
"role": "assistant"
}
] |
def x(lancet, output):
sorting = pygit2.GIT_SORT_TIME | pygit2.GIT_SORT_REVERSE
commits = lancet.repo.walk(lancet.repo.head.target, sorting)
contributors = ((c.author.name, c.author.email) for c in commits)
contributors = OrderedDict(contributors)
template_content = content_from_path(lancet.config.get('packaging',
'contributors_template'))
template = Template(template_content)
output.write(template.render(contributors=contributors).encode('utf-8'))
|
contributors
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lancet, output):\n sorting = pygit2.GIT_SORT_TIME | pygit2.GIT_SORT_REVERSE\n commits = lancet.repo.walk(lancet.repo.head.target, sorting)\n contributors = ((c.author.name, c.author.email) for c in commits)\n contributors = OrderedDict(contributors)\n template_content = content_from_path(lancet.config.get('packaging',\n 'contributors_template'))\n template = Template(template_content)\n output.write(template.render(contributors=contributors).encode('utf-8'))\n",
"role": "user"
},
{
"content": "contributors",
"role": "assistant"
}
] |
def x(text, synthesizer, synth_args, sentence_break):
if len(text.split()) < 50:
if synthesizer == 'watson':
with open('.temp.wav', 'wb') as temp:
temp.write(watson_request(text=text, synth_args=synth_args)
.content)
response = AudioSegment.from_wav('.temp.wav')
os.remove('.temp.wav')
return response
else:
raise ValueError('"' + synthesizer + '" synthesizer not found.')
else:
segments = []
for i, sentence in enumerate(text.split(sentence_break)):
if synthesizer == 'watson':
with open('.temp' + str(i) + '.wav', 'wb') as temp:
temp.write(watson_request(text=sentence, synth_args=
synth_args).content)
segments.append(AudioSegment.from_wav('.temp' + str(i) +
'.wav'))
os.remove('.temp' + str(i) + '.wav')
else:
raise ValueError('"' + synthesizer + '" synthesizer not found.'
)
response = segments[0]
for segment in segments[1:]:
response = response + segment
return response
|
text_to_speech
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, synthesizer, synth_args, sentence_break):\n if len(text.split()) < 50:\n if synthesizer == 'watson':\n with open('.temp.wav', 'wb') as temp:\n temp.write(watson_request(text=text, synth_args=synth_args)\n .content)\n response = AudioSegment.from_wav('.temp.wav')\n os.remove('.temp.wav')\n return response\n else:\n raise ValueError('\"' + synthesizer + '\" synthesizer not found.')\n else:\n segments = []\n for i, sentence in enumerate(text.split(sentence_break)):\n if synthesizer == 'watson':\n with open('.temp' + str(i) + '.wav', 'wb') as temp:\n temp.write(watson_request(text=sentence, synth_args=\n synth_args).content)\n segments.append(AudioSegment.from_wav('.temp' + str(i) +\n '.wav'))\n os.remove('.temp' + str(i) + '.wav')\n else:\n raise ValueError('\"' + synthesizer + '\" synthesizer not found.'\n )\n response = segments[0]\n for segment in segments[1:]:\n response = response + segment\n return response\n",
"role": "user"
},
{
"content": "text_to_speech",
"role": "assistant"
}
] |
def x(text, synth_args):
params = {'text': text, 'accept': 'audio/wav'}
if synth_args is not None:
params.update(synth_args)
if 'username' in params:
username = params.pop('username')
else:
raise Warning(
'The IBM Watson API requires credentials that should be passed as "username" and "password" in "synth_args"'
)
if 'password' in params:
password = params.pop('password')
else:
raise Warning(
'The IBM Watson API requires credentials that should be passed as "username" and "password" in "synth_args"'
)
return requests.get(watson_url, auth=(username, password), params=params)
|
watson_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, synth_args):\n params = {'text': text, 'accept': 'audio/wav'}\n if synth_args is not None:\n params.update(synth_args)\n if 'username' in params:\n username = params.pop('username')\n else:\n raise Warning(\n 'The IBM Watson API requires credentials that should be passed as \"username\" and \"password\" in \"synth_args\"'\n )\n if 'password' in params:\n password = params.pop('password')\n else:\n raise Warning(\n 'The IBM Watson API requires credentials that should be passed as \"username\" and \"password\" in \"synth_args\"'\n )\n return requests.get(watson_url, auth=(username, password), params=params)\n",
"role": "user"
},
{
"content": "watson_request",
"role": "assistant"
}
] |
def x(podcast):
if not os.path.exists(podcast.output_path):
os.makedirs(podcast.output_path)
rss = ET.Element('rss', attrib={'xmlns:itunes':
'http://www.itunes.com/dtds/podcast-1.0.dtd', 'version': '2.0'})
channel = ET.SubElement(rss, 'channel')
ET.SubElement(channel, 'title').text = podcast.title
ET.SubElement(channel, 'link').text = podcast.link
ET.SubElement(channel, 'copyright').text = podcast.copyright
ET.SubElement(channel, 'itunes:subtitle').text = podcast.subtitle
ET.SubElement(channel, 'itunes:author').text = podcast.author
ET.SubElement(channel, 'itunes:summary').text = podcast.description
ET.SubElement(channel, 'description').text = podcast.description
owner = ET.SubElement(channel, 'itunes:owner')
ET.SubElement(owner, 'itunes:name').text = podcast.owner_name
ET.SubElement(owner, 'itunes:email').text = podcast.owner_email
ET.SubElement(channel, 'itunes:image').text = podcast.image
for category in podcast.categories:
ET.SubElement(channel, 'itunes:category').text = category
for episode in sorted(podcast.episodes.values(), key=lambda x: x.
publish_date):
if episode.published is True:
item = ET.SubElement(channel, 'item')
ET.SubElement(item, 'title').text = episode.title
ET.SubElement(item, 'author').text = episode.author
ET.SubElement(item, 'summary').text = episode.summary
ET.SubElement(item, 'enclosure', attrib={'url': podcast.link +
'/' + episode.link, 'length': str(episode.length), 'type':
'audio/x-mp3'})
ET.SubElement(item, 'guid'
).text = podcast.link + '/' + episode.link
ET.SubElement(item, 'pubDate'
).text = episode.publish_date.strftime(
'%a, %d %b %Y %H:%M:%S UTC')
ET.SubElement(item, 'itunes:duration').text = episode.duration
tree = ET.ElementTree(rss)
with open(podcast.output_path + '/feed.xml', 'wb') as feed:
tree.write(feed)
|
build_rss_feed
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(podcast):\n if not os.path.exists(podcast.output_path):\n os.makedirs(podcast.output_path)\n rss = ET.Element('rss', attrib={'xmlns:itunes':\n 'http://www.itunes.com/dtds/podcast-1.0.dtd', 'version': '2.0'})\n channel = ET.SubElement(rss, 'channel')\n ET.SubElement(channel, 'title').text = podcast.title\n ET.SubElement(channel, 'link').text = podcast.link\n ET.SubElement(channel, 'copyright').text = podcast.copyright\n ET.SubElement(channel, 'itunes:subtitle').text = podcast.subtitle\n ET.SubElement(channel, 'itunes:author').text = podcast.author\n ET.SubElement(channel, 'itunes:summary').text = podcast.description\n ET.SubElement(channel, 'description').text = podcast.description\n owner = ET.SubElement(channel, 'itunes:owner')\n ET.SubElement(owner, 'itunes:name').text = podcast.owner_name\n ET.SubElement(owner, 'itunes:email').text = podcast.owner_email\n ET.SubElement(channel, 'itunes:image').text = podcast.image\n for category in podcast.categories:\n ET.SubElement(channel, 'itunes:category').text = category\n for episode in sorted(podcast.episodes.values(), key=lambda x: x.\n publish_date):\n if episode.published is True:\n item = ET.SubElement(channel, 'item')\n ET.SubElement(item, 'title').text = episode.title\n ET.SubElement(item, 'author').text = episode.author\n ET.SubElement(item, 'summary').text = episode.summary\n ET.SubElement(item, 'enclosure', attrib={'url': podcast.link +\n '/' + episode.link, 'length': str(episode.length), 'type':\n 'audio/x-mp3'})\n ET.SubElement(item, 'guid'\n ).text = podcast.link + '/' + episode.link\n ET.SubElement(item, 'pubDate'\n ).text = episode.publish_date.strftime(\n '%a, %d %b %Y %H:%M:%S UTC')\n ET.SubElement(item, 'itunes:duration').text = episode.duration\n tree = ET.ElementTree(rss)\n with open(podcast.output_path + '/feed.xml', 'wb') as feed:\n tree.write(feed)\n",
"role": "user"
},
{
"content": "build_rss_feed",
"role": "assistant"
}
] |
def x(self, uid=None):
if uid is None:
return self.response_factory.ok(data=resource_db)
try:
record = [r for r in resource_db if r.get('id') == uid].pop()
except IndexError:
return self.response_factory.not_found(errors=[
'Resource with UID {} does not exist.'.format(uid)])
return self.response_factory.ok(data=record)
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uid=None):\n if uid is None:\n return self.response_factory.ok(data=resource_db)\n try:\n record = [r for r in resource_db if r.get('id') == uid].pop()\n except IndexError:\n return self.response_factory.not_found(errors=[\n 'Resource with UID {} does not exist.'.format(uid)])\n return self.response_factory.ok(data=record)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self):
resource_data = self.request.json
record = {'id': str(len(resource_db) + 1), 'name': resource_data.get(
'name')}
resource_db.append(record)
return self.response_factory.ok(data=record)
|
post
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n resource_data = self.request.json\n record = {'id': str(len(resource_db) + 1), 'name': resource_data.get(\n 'name')}\n resource_db.append(record)\n return self.response_factory.ok(data=record)\n",
"role": "user"
},
{
"content": "post",
"role": "assistant"
}
] |
def x(self, uid):
resource_data = self.request.json
try:
record = resource_db[uid]
except KeyError:
return self.response_factory.not_found(errors=[
'Resource with UID {} does not exist!'])
record['name'] = resource_data.get('name')
return self.response_factory.ok(data=record)
|
put
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uid):\n resource_data = self.request.json\n try:\n record = resource_db[uid]\n except KeyError:\n return self.response_factory.not_found(errors=[\n 'Resource with UID {} does not exist!'])\n record['name'] = resource_data.get('name')\n return self.response_factory.ok(data=record)\n",
"role": "user"
},
{
"content": "put",
"role": "assistant"
}
] |
def x(self, uid):
try:
record = resource_db[uid].copy()
except KeyError:
return self.response_factory.not_found(errors=[
'Resource with UID {} does not exist!'])
del resource_db[uid]
return self.response_factory.ok(data=record)
|
delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uid):\n try:\n record = resource_db[uid].copy()\n except KeyError:\n return self.response_factory.not_found(errors=[\n 'Resource with UID {} does not exist!'])\n del resource_db[uid]\n return self.response_factory.ok(data=record)\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(url):
while True:
yield url
doc = html.parse(url).find('body')
links = [a for a in doc.findall('.//a') if a.text and a.text.
startswith('next ')]
if not links:
break
url = urljoin(url, links[0].get('href'))
|
get_pages
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n while True:\n yield url\n doc = html.parse(url).find('body')\n links = [a for a in doc.findall('.//a') if a.text and a.text.\n startswith('next ')]\n if not links:\n break\n url = urljoin(url, links[0].get('href'))\n",
"role": "user"
},
{
"content": "get_pages",
"role": "assistant"
}
] |
def x(url):
doc = html.parse(url).getroot()
for div in doc.cssselect('div.mw-search-result-heading'):
href = div.cssselect('a')[0].get('href')
if ':' in href:
continue
href = urljoin(url, href)
yield href
|
get_article_urls
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n doc = html.parse(url).getroot()\n for div in doc.cssselect('div.mw-search-result-heading'):\n href = div.cssselect('a')[0].get('href')\n if ':' in href:\n continue\n href = urljoin(url, href)\n yield href\n",
"role": "user"
},
{
"content": "get_article_urls",
"role": "assistant"
}
] |
def x(url):
a = html.parse(url).getroot()
title = a.cssselect('.firstHeading')[0].text_content()
date = a.cssselect('.published')[0].text_content()
date = datetime.datetime.strptime(date, '%A, %B %d, %Y').isoformat()
paras = a.cssselect('#mw-content-text p')
paras = paras[1:]
text = '\n\n'.join(p.text_content().strip() for p in paras)
return dict(headline=title, date=date, url=url, text=text, medium=
'Wikinews')
|
get_article
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n a = html.parse(url).getroot()\n title = a.cssselect('.firstHeading')[0].text_content()\n date = a.cssselect('.published')[0].text_content()\n date = datetime.datetime.strptime(date, '%A, %B %d, %Y').isoformat()\n paras = a.cssselect('#mw-content-text p')\n paras = paras[1:]\n text = '\\n\\n'.join(p.text_content().strip() for p in paras)\n return dict(headline=title, date=date, url=url, text=text, medium=\n 'Wikinews')\n",
"role": "user"
},
{
"content": "get_article",
"role": "assistant"
}
] |
def x(conn, project, articleset, query):
url = 'http://en.wikinews.org/w/index.php?search={}&limit=50'.format(query)
logging.info(url)
for page in get_pages(url):
urls = get_article_urls(page)
arts = list(get_articles(urls))
logging.info('Adding {} articles to set {}:{}'.format(len(arts),
project, articleset))
conn.create_articles(project=project, articleset=articleset,
json_data=arts)
|
scrape_wikinews
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(conn, project, articleset, query):\n url = 'http://en.wikinews.org/w/index.php?search={}&limit=50'.format(query)\n logging.info(url)\n for page in get_pages(url):\n urls = get_article_urls(page)\n arts = list(get_articles(urls))\n logging.info('Adding {} articles to set {}:{}'.format(len(arts),\n project, articleset))\n conn.create_articles(project=project, articleset=articleset,\n json_data=arts)\n",
"role": "user"
},
{
"content": "scrape_wikinews",
"role": "assistant"
}
] |
def x(addr, n):
s = Service(addr)
started = time.time()
for _ in range(n):
msg = s.socket.recv()
s.socket.send(msg)
s.socket.close()
duration = time.time() - started
print('Raw REP service stats:')
util.print_stats(n, duration)
return
|
start_service
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(addr, n):\n s = Service(addr)\n started = time.time()\n for _ in range(n):\n msg = s.socket.recv()\n s.socket.send(msg)\n s.socket.close()\n duration = time.time() - started\n print('Raw REP service stats:')\n util.print_stats(n, duration)\n return\n",
"role": "user"
},
{
"content": "start_service",
"role": "assistant"
}
] |
def x(client, n):
items = list(range(n))
started = time.time()
msg = b'x'
for i in items:
client.socket.send(msg)
res = client.socket.recv()
assert msg == res
duration = time.time() - started
print('Raw REQ client stats:')
util.print_stats(n, duration)
|
bench
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client, n):\n items = list(range(n))\n started = time.time()\n msg = b'x'\n for i in items:\n client.socket.send(msg)\n res = client.socket.recv()\n assert msg == res\n duration = time.time() - started\n print('Raw REQ client stats:')\n util.print_stats(n, duration)\n",
"role": "user"
},
{
"content": "bench",
"role": "assistant"
}
] |
def x(self, topic=b'', embed_topic=False):
if not isinstance(topic, bytes):
error = 'Topic must be bytes'
log.error(error)
raise TypeError(error)
sock = self.__sock(zmq.PUB)
return self.__send_function(sock, topic, embed_topic)
|
pub
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, topic=b'', embed_topic=False):\n if not isinstance(topic, bytes):\n error = 'Topic must be bytes'\n log.error(error)\n raise TypeError(error)\n sock = self.__sock(zmq.PUB)\n return self.__send_function(sock, topic, embed_topic)\n",
"role": "user"
},
{
"content": "pub",
"role": "assistant"
}
] |
def x(self, topics=(b'',)):
sock = self.__sock(zmq.SUB)
for topic in topics:
if not isinstance(topic, bytes):
error = 'Topics must be a list of bytes'
log.error(error)
raise TypeError(error)
sock.setsockopt(zmq.SUBSCRIBE, topic)
return self.__recv_generator(sock)
|
sub
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, topics=(b'',)):\n sock = self.__sock(zmq.SUB)\n for topic in topics:\n if not isinstance(topic, bytes):\n error = 'Topics must be a list of bytes'\n log.error(error)\n raise TypeError(error)\n sock.setsockopt(zmq.SUBSCRIBE, topic)\n return self.__recv_generator(sock)\n",
"role": "user"
},
{
"content": "sub",
"role": "assistant"
}
] |
def x(self):
sock = self.__sock(zmq.PUSH)
return self.__send_function(sock)
|
push
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n sock = self.__sock(zmq.PUSH)\n return self.__send_function(sock)\n",
"role": "user"
},
{
"content": "push",
"role": "assistant"
}
] |
def x(self):
sock = self.__sock(zmq.PULL)
return self.__recv_generator(sock)
|
pull
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n sock = self.__sock(zmq.PULL)\n return self.__recv_generator(sock)\n",
"role": "user"
},
{
"content": "pull",
"role": "assistant"
}
] |
def x(self):
sock = self.__sock(zmq.REQ)
return self.__send_function(sock), self.__recv_generator(sock)
|
request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n sock = self.__sock(zmq.REQ)\n return self.__send_function(sock), self.__recv_generator(sock)\n",
"role": "user"
},
{
"content": "request",
"role": "assistant"
}
] |
def x(self):
sock = self.__sock(zmq.REP)
return self.__send_function(sock), self.__recv_generator(sock)
|
reply
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n sock = self.__sock(zmq.REP)\n return self.__send_function(sock), self.__recv_generator(sock)\n",
"role": "user"
},
{
"content": "reply",
"role": "assistant"
}
] |
def x(self):
sock = self.__sock(zmq.PAIR)
return self.__send_function(sock), self.__recv_generator(sock)
|
pair
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n sock = self.__sock(zmq.PAIR)\n return self.__send_function(sock), self.__recv_generator(sock)\n",
"role": "user"
},
{
"content": "pair",
"role": "assistant"
}
] |
def x(self, ip, port):
_check_valid_port_range(port)
address = ip, port
if address in self._addresses:
error = 'Already connected to {0} on port {1}'.format(ip, port)
log.exception(error)
raise ValueError(error)
self._addresses.append(address)
if self._is_ready:
_check_valid_num_connections(self._sock.socket_type, len(self.
_addresses))
_connect_zmq_sock(self._sock, ip, port)
return self
|
connect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ip, port):\n _check_valid_port_range(port)\n address = ip, port\n if address in self._addresses:\n error = 'Already connected to {0} on port {1}'.format(ip, port)\n log.exception(error)\n raise ValueError(error)\n self._addresses.append(address)\n if self._is_ready:\n _check_valid_num_connections(self._sock.socket_type, len(self.\n _addresses))\n _connect_zmq_sock(self._sock, ip, port)\n return self\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self, ip, port):
_check_valid_port_range(port)
address = ip, port
try:
self._addresses.remove(address)
except ValueError:
error = 'There was no connection to {0} on port {1}'.format(ip, port)
log.exception(error)
raise ValueError(error)
if self._is_ready:
_disconnect_zmq_sock(self._sock, ip, port)
return self
|
disconnect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ip, port):\n _check_valid_port_range(port)\n address = ip, port\n try:\n self._addresses.remove(address)\n except ValueError:\n error = 'There was no connection to {0} on port {1}'.format(ip, port)\n log.exception(error)\n raise ValueError(error)\n if self._is_ready:\n _disconnect_zmq_sock(self._sock, ip, port)\n return self\n",
"role": "user"
},
{
"content": "disconnect",
"role": "assistant"
}
] |
def x(self):
addresses = deepcopy(self._addresses)
for ip, port in addresses:
self.disconnect(ip, port)
return self
|
disconnect_all
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n addresses = deepcopy(self._addresses)\n for ip, port in addresses:\n self.disconnect(ip, port)\n return self\n",
"role": "user"
},
{
"content": "disconnect_all",
"role": "assistant"
}
] |
def x(d):
return d.quantize(Decimal(1)) if d == d.to_integral() else d.normalize()
|
remove_exponent
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d):\n return d.quantize(Decimal(1)) if d == d.to_integral() else d.normalize()\n",
"role": "user"
},
{
"content": "remove_exponent",
"role": "assistant"
}
] |
def x(n, precision=0, drop_nulls=True, prefixes=[]):
millnames = ['', 'k', 'M', 'B', 'T', 'P', 'E', 'Z', 'Y']
if prefixes:
millnames = ['']
millnames.extend(prefixes)
n = float(n)
millidx = max(0, min(len(millnames) - 1, int(math.floor(0 if n == 0 else
math.log10(abs(n)) / 3))))
result = '{:.{precision}f}'.format(n / 10 ** (3 * millidx), precision=
precision)
if drop_nulls:
result = remove_exponent(Decimal(result))
return '{0}{dx}'.format(result, dx=millnames[millidx])
|
millify
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n, precision=0, drop_nulls=True, prefixes=[]):\n millnames = ['', 'k', 'M', 'B', 'T', 'P', 'E', 'Z', 'Y']\n if prefixes:\n millnames = ['']\n millnames.extend(prefixes)\n n = float(n)\n millidx = max(0, min(len(millnames) - 1, int(math.floor(0 if n == 0 else\n math.log10(abs(n)) / 3))))\n result = '{:.{precision}f}'.format(n / 10 ** (3 * millidx), precision=\n precision)\n if drop_nulls:\n result = remove_exponent(Decimal(result))\n return '{0}{dx}'.format(result, dx=millnames[millidx])\n",
"role": "user"
},
{
"content": "millify",
"role": "assistant"
}
] |
def x(amount, separator=','):
orig = str(amount)
new = re.sub('^(-?\\d+)(\\d{3})', '\\g<1>{0}\\g<2>'.format(separator),
str(amount))
if orig == new:
return new
else:
return prettify(new)
|
prettify
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(amount, separator=','):\n orig = str(amount)\n new = re.sub('^(-?\\\\d+)(\\\\d{3})', '\\\\g<1>{0}\\\\g<2>'.format(separator),\n str(amount))\n if orig == new:\n return new\n else:\n return prettify(new)\n",
"role": "user"
},
{
"content": "prettify",
"role": "assistant"
}
] |
def x(json_data, decoder=None):
if decoder is None:
decoder = DateTimeDecoder
return json.loads(json_data, object_hook=decoder.decode)
|
load_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(json_data, decoder=None):\n if decoder is None:\n decoder = DateTimeDecoder\n return json.loads(json_data, object_hook=decoder.decode)\n",
"role": "user"
},
{
"content": "load_json",
"role": "assistant"
}
] |
def x(file, decoder=None):
if decoder is None:
decoder = DateTimeDecoder
if not hasattr(file, 'read'):
with io.open(file, 'r', encoding='utf-8') as f:
return json.load(f, object_hook=decoder.decode)
return json.load(file, object_hook=decoder.decode)
|
load_json_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file, decoder=None):\n if decoder is None:\n decoder = DateTimeDecoder\n if not hasattr(file, 'read'):\n with io.open(file, 'r', encoding='utf-8') as f:\n return json.load(f, object_hook=decoder.decode)\n return json.load(file, object_hook=decoder.decode)\n",
"role": "user"
},
{
"content": "load_json_file",
"role": "assistant"
}
] |
def x(val, pretty=False, sort=True, encoder=None):
if encoder is None:
encoder = DateTimeEncoder
if pretty:
data = json.dumps(val, indent=4, separators=(',', ': '), sort_keys=
sort, cls=encoder)
else:
data = json.dumps(val, separators=(',', ':'), sort_keys=sort, cls=
encoder)
if not sys.version_info > (3, 0) and isinstance(data, str):
data = data.decode('utf-8')
return data
|
save_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(val, pretty=False, sort=True, encoder=None):\n if encoder is None:\n encoder = DateTimeEncoder\n if pretty:\n data = json.dumps(val, indent=4, separators=(',', ': '), sort_keys=\n sort, cls=encoder)\n else:\n data = json.dumps(val, separators=(',', ':'), sort_keys=sort, cls=\n encoder)\n if not sys.version_info > (3, 0) and isinstance(data, str):\n data = data.decode('utf-8')\n return data\n",
"role": "user"
},
{
"content": "save_json",
"role": "assistant"
}
] |
def x(file, val, pretty=False, compact=True, sort=True, encoder=None):
if encoder is None:
encoder = DateTimeEncoder
opened = False
if not hasattr(file, 'write'):
file = io.open(file, 'w', encoding='utf-8')
opened = True
try:
if pretty:
data = json.dumps(val, indent=4, separators=(',', ': '),
sort_keys=sort, cls=encoder)
elif compact:
data = json.dumps(val, separators=(',', ':'), sort_keys=sort,
cls=encoder)
else:
data = json.dumps(val, sort_keys=sort, cls=encoder)
if not sys.version_info > (3, 0) and isinstance(data, str):
data = data.decode('utf-8')
file.write(data)
finally:
if opened:
file.close()
|
save_json_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file, val, pretty=False, compact=True, sort=True, encoder=None):\n if encoder is None:\n encoder = DateTimeEncoder\n opened = False\n if not hasattr(file, 'write'):\n file = io.open(file, 'w', encoding='utf-8')\n opened = True\n try:\n if pretty:\n data = json.dumps(val, indent=4, separators=(',', ': '),\n sort_keys=sort, cls=encoder)\n elif compact:\n data = json.dumps(val, separators=(',', ':'), sort_keys=sort,\n cls=encoder)\n else:\n data = json.dumps(val, sort_keys=sort, cls=encoder)\n if not sys.version_info > (3, 0) and isinstance(data, str):\n data = data.decode('utf-8')\n file.write(data)\n finally:\n if opened:\n file.close()\n",
"role": "user"
},
{
"content": "save_json_file",
"role": "assistant"
}
] |
def x(file):
if not hasattr(file, 'read'):
with io.open(file, 'r', encoding='utf-8') as f:
return yaml.load(f, yaml.FullLoader)
return yaml.load(file, yaml.FullLoader)
|
load_yaml_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file):\n if not hasattr(file, 'read'):\n with io.open(file, 'r', encoding='utf-8') as f:\n return yaml.load(f, yaml.FullLoader)\n return yaml.load(file, yaml.FullLoader)\n",
"role": "user"
},
{
"content": "load_yaml_file",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.