source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(replacements):
def x(iterable_strings):
for string in iterable_strings:
yield reduce(lambda s, kv: s.replace(*kv), replacements.items(),
string)
return function_iter_replace_strings
| iter_replace_strings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(replacements):\n\n def x(iterable_strings):\n for string in iterable_strings:\n yield reduce(lambda s, kv: s.replace(*kv), replacements.items(),\n string)\n return function_iter_replace_strings\n",
"role": "user"
},
{
"content": "iter_replace_strings",
"role": "assistant"
}
] |
def x(context):
logger.debug('started')
context.assert_key_has_value(key='contextSetf', caller=__name__)
for k, v in context['contextSetf'].items():
logger.debug(f'setting context {k} to value from context {v}')
context[context.get_formatted_iterable(k)
] = context.get_formatted_iterable(v)
logger.info(f"Set {len(context['contextSetf'])} context items.")
logger.debug('done')
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n logger.debug('started')\n context.assert_key_has_value(key='contextSetf', caller=__name__)\n for k, v in context['contextSetf'].items():\n logger.debug(f'setting context {k} to value from context {v}')\n context[context.get_formatted_iterable(k)\n ] = context.get_formatted_iterable(v)\n logger.info(f\"Set {len(context['contextSetf'])} context items.\")\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(obj, out_type):
in_type = type(obj)
if out_type is in_type:
return obj
else:
return out_type(obj)
| cast_to_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, out_type):\n in_type = type(obj)\n if out_type is in_type:\n return obj\n else:\n return out_type(obj)\n",
"role": "user"
},
{
"content": "cast_to_type",
"role": "assistant"
}
] |
def x(file):
tag_representers = [PyString, SicString]
yaml_loader = get_yaml_parser_safe()
for representer in tag_representers:
yaml_loader.register_class(representer)
pipeline_definition = yaml_loader.load(file)
return pipeline_definition
| get_pipeline_yaml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file):\n tag_representers = [PyString, SicString]\n yaml_loader = get_yaml_parser_safe()\n for representer in tag_representers:\n yaml_loader.register_class(representer)\n pipeline_definition = yaml_loader.load(file)\n return pipeline_definition\n",
"role": "user"
},
{
"content": "get_pipeline_yaml",
"role": "assistant"
}
] |
def x():
yaml_writer = yamler.YAML(typ='rt', pure=True)
yaml_writer.indent(mapping=2, sequence=4, offset=2)
return yaml_writer
| get_yaml_parser_roundtrip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n yaml_writer = yamler.YAML(typ='rt', pure=True)\n yaml_writer.indent(mapping=2, sequence=4, offset=2)\n return yaml_writer\n",
"role": "user"
},
{
"content": "get_yaml_parser_roundtrip",
"role": "assistant"
}
] |
def x():
yaml_writer = get_yaml_parser_roundtrip()
yaml_writer.Representer.add_representer(Context, yamler.representer.
RoundTripRepresenter.represent_dict)
return yaml_writer
| get_yaml_parser_roundtrip_for_context | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n yaml_writer = get_yaml_parser_roundtrip()\n yaml_writer.Representer.add_representer(Context, yamler.representer.\n RoundTripRepresenter.represent_dict)\n return yaml_writer\n",
"role": "user"
},
{
"content": "get_yaml_parser_roundtrip_for_context",
"role": "assistant"
}
] |
def x(context_arg):
if not context_arg:
logger.debug(
"pipeline invoked without context arg set. For this keyvaluepairs parser you're looking for something like: pypyr pipelinename 'key1=value1,key2=value2'."
)
return None
logger.debug('starting')
return dict(element.split('=') for element in context_arg.split(','))
| get_parsed_context | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context_arg):\n if not context_arg:\n logger.debug(\n \"pipeline invoked without context arg set. For this keyvaluepairs parser you're looking for something like: pypyr pipelinename 'key1=value1,key2=value2'.\"\n )\n return None\n logger.debug('starting')\n return dict(element.split('=') for element in context_arg.split(','))\n",
"role": "user"
},
{
"content": "get_parsed_context",
"role": "assistant"
}
] |
def x(context):
logger.debug('started')
deprecated(context)
context.assert_key_has_value(key='fetchJson', caller=__name__)
fetch_json_input = context.get_formatted('fetchJson')
if isinstance(fetch_json_input, str):
file_path = fetch_json_input
destination_key_expression = None
else:
context.assert_child_key_has_value(parent='fetchJson', child='path',
caller=__name__)
file_path = fetch_json_input['path']
destination_key_expression = fetch_json_input.get('key', None)
logger.debug(f'attempting to open file: {file_path}')
with open(file_path) as json_file:
payload = json.load(json_file)
if destination_key_expression:
destination_key = context.get_formatted_iterable(
destination_key_expression)
logger.debug(f'json file loaded. Writing to context {destination_key}')
context[destination_key] = payload
else:
if not isinstance(payload, MutableMapping):
raise TypeError(
'json input should describe an object at the top level when fetchJsonKey isn\'t specified. You should have something like {"key1": "value1", "key2": "value2"} in the json top-level, not ["value1", "value2"]'
)
logger.debug('json file loaded. Merging into pypyr context. . .')
context.update(payload)
logger.info(f'json file written into pypyr context. Count: {len(payload)}')
logger.debug('done')
| run_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n logger.debug('started')\n deprecated(context)\n context.assert_key_has_value(key='fetchJson', caller=__name__)\n fetch_json_input = context.get_formatted('fetchJson')\n if isinstance(fetch_json_input, str):\n file_path = fetch_json_input\n destination_key_expression = None\n else:\n context.assert_child_key_has_value(parent='fetchJson', child='path',\n caller=__name__)\n file_path = fetch_json_input['path']\n destination_key_expression = fetch_json_input.get('key', None)\n logger.debug(f'attempting to open file: {file_path}')\n with open(file_path) as json_file:\n payload = json.load(json_file)\n if destination_key_expression:\n destination_key = context.get_formatted_iterable(\n destination_key_expression)\n logger.debug(f'json file loaded. Writing to context {destination_key}')\n context[destination_key] = payload\n else:\n if not isinstance(payload, MutableMapping):\n raise TypeError(\n 'json input should describe an object at the top level when fetchJsonKey isn\\'t specified. You should have something like {\"key1\": \"value1\", \"key2\": \"value2\"} in the json top-level, not [\"value1\", \"value2\"]'\n )\n logger.debug('json file loaded. Merging into pypyr context. . .')\n context.update(payload)\n logger.info(f'json file written into pypyr context. Count: {len(payload)}')\n logger.debug('done')\n",
"role": "user"
},
{
"content": "run_step",
"role": "assistant"
}
] |
def x(context):
if 'fetchJsonPath' in context:
context.assert_key_has_value(key='fetchJsonPath', caller=__name__)
context['fetchJson'] = {'path': context['fetchJsonPath']}
if 'fetchJsonKey' in context:
context['fetchJson']['key'] = context.get('fetchJsonKey', None)
logger.warning(
"fetchJsonPath and fetchJsonKey are deprecated. They will stop working upon the next major release. Use the new context key fetchJson instead. It's a lot better, promise! For the moment pypyr is creating the new fetchJson key for you under the hood."
)
| deprecated | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n if 'fetchJsonPath' in context:\n context.assert_key_has_value(key='fetchJsonPath', caller=__name__)\n context['fetchJson'] = {'path': context['fetchJsonPath']}\n if 'fetchJsonKey' in context:\n context['fetchJson']['key'] = context.get('fetchJsonKey', None)\n logger.warning(\n \"fetchJsonPath and fetchJsonKey are deprecated. They will stop working upon the next major release. Use the new context key fetchJson instead. It's a lot better, promise! For the moment pypyr is creating the new fetchJson key for you under the hood.\"\n )\n",
"role": "user"
},
{
"content": "deprecated",
"role": "assistant"
}
] |
def x(self, path):
return any([re.match(pattern, path) for pattern in QC_SETTINGS[
'IGNORE_REQUEST_PATTERNS']])
| ignore_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n return any([re.match(pattern, path) for pattern in QC_SETTINGS[\n 'IGNORE_REQUEST_PATTERNS']])\n",
"role": "user"
},
{
"content": "ignore_request",
"role": "assistant"
}
] |
def x(self, query):
return any([re.search(pattern, query.get('sql')) for pattern in
QC_SETTINGS['IGNORE_SQL_PATTERNS']])
| ignore_sql | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query):\n return any([re.search(pattern, query.get('sql')) for pattern in\n QC_SETTINGS['IGNORE_SQL_PATTERNS']])\n",
"role": "user"
},
{
"content": "ignore_sql",
"role": "assistant"
}
] |
def x(self, output):
if QC_SETTINGS['DISPLAY_DUPLICATES']:
for query, count in self.queries.most_common(QC_SETTINGS[
'DISPLAY_DUPLICATES']):
lines = ['\nRepeated {0} times.'.format(count)]
lines += wrap(query)
lines = '\n'.join(lines) + '\n'
output += self._colorize(lines, count)
return output
| duplicate_queries | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, output):\n if QC_SETTINGS['DISPLAY_DUPLICATES']:\n for query, count in self.queries.most_common(QC_SETTINGS[\n 'DISPLAY_DUPLICATES']):\n lines = ['\\nRepeated {0} times.'.format(count)]\n lines += wrap(query)\n lines = '\\n'.join(lines) + '\\n'\n output += self._colorize(lines, count)\n return output\n",
"role": "user"
},
{
"content": "duplicate_queries",
"role": "assistant"
}
] |
def x(self):
request_totals = self._totals('request')
response_totals = self._totals('response')
return request_totals[2] + response_totals[2]
| calculate_num_queries | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n request_totals = self._totals('request')\n response_totals = self._totals('response')\n return request_totals[2] + response_totals[2]\n",
"role": "user"
},
{
"content": "calculate_num_queries",
"role": "assistant"
}
] |
def x(**kwargs):
setting_name = kwargs.get('setting', None)
if setting_name is not None and setting_name != 'QUERYCOUNT':
return
if getattr(settings, 'QUERYCOUNT_THRESHOLDS', False):
QC_SETTINGS['THRESHOLDS'] = settings.QUERYCOUNT_THRESHOLDS
if not getattr(settings, 'QUERYCOUNT', False):
return
if 'DISPLAY_DUPLICATES' in settings.QUERYCOUNT:
duplicate_settings = settings.QUERYCOUNT['DISPLAY_DUPLICATES']
if duplicate_settings is not None:
duplicate_settings = int(duplicate_settings)
QC_SETTINGS['DISPLAY_DUPLICATES'] = duplicate_settings
for key in ['THRESHOLDS', 'IGNORE_REQUEST_PATTERNS',
'IGNORE_SQL_PATTERNS', 'IGNORE_PATTERNS', 'RESPONSE_HEADER']:
if key in settings.QUERYCOUNT:
QC_SETTINGS[key] = settings.QUERYCOUNT[key]
| process_settings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**kwargs):\n setting_name = kwargs.get('setting', None)\n if setting_name is not None and setting_name != 'QUERYCOUNT':\n return\n if getattr(settings, 'QUERYCOUNT_THRESHOLDS', False):\n QC_SETTINGS['THRESHOLDS'] = settings.QUERYCOUNT_THRESHOLDS\n if not getattr(settings, 'QUERYCOUNT', False):\n return\n if 'DISPLAY_DUPLICATES' in settings.QUERYCOUNT:\n duplicate_settings = settings.QUERYCOUNT['DISPLAY_DUPLICATES']\n if duplicate_settings is not None:\n duplicate_settings = int(duplicate_settings)\n QC_SETTINGS['DISPLAY_DUPLICATES'] = duplicate_settings\n for key in ['THRESHOLDS', 'IGNORE_REQUEST_PATTERNS',\n 'IGNORE_SQL_PATTERNS', 'IGNORE_PATTERNS', 'RESPONSE_HEADER']:\n if key in settings.QUERYCOUNT:\n QC_SETTINGS[key] = settings.QUERYCOUNT[key]\n",
"role": "user"
},
{
"content": "process_settings",
"role": "assistant"
}
] |
def x(uid, offset=0, limit=1000):
if uid is None:
raise ParamsError()
r = NCloudBot()
r.method = 'USER_PLAY_LIST'
r.data = {'offset': offset, 'uid': uid, 'limit': limit, 'csrf_token': ''}
r.send()
return r.response
| user_play_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(uid, offset=0, limit=1000):\n if uid is None:\n raise ParamsError()\n r = NCloudBot()\n r.method = 'USER_PLAY_LIST'\n r.data = {'offset': offset, 'uid': uid, 'limit': limit, 'csrf_token': ''}\n r.send()\n return r.response\n",
"role": "user"
},
{
"content": "user_play_list",
"role": "assistant"
}
] |
def x(uid, offset=0, limit=30):
if uid is None:
raise ParamsError()
r = NCloudBot()
r.method = 'USER_DJ'
r.data = {'offset': offset, 'limit': limit, 'csrf_token': ''}
r.params = {'uid': uid}
r.send()
return r.response
| user_dj | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(uid, offset=0, limit=30):\n if uid is None:\n raise ParamsError()\n r = NCloudBot()\n r.method = 'USER_DJ'\n r.data = {'offset': offset, 'limit': limit, 'csrf_token': ''}\n r.params = {'uid': uid}\n r.send()\n return r.response\n",
"role": "user"
},
{
"content": "user_dj",
"role": "assistant"
}
] |
def x(keyword, type=1, offset=0, limit=30):
if keyword is None:
raise ParamsError()
r = NCloudBot()
r.method = 'SEARCH'
r.data = {'s': keyword, 'limit': str(limit), 'type': str(type),
'offset': str(offset)}
r.send()
return r.response
| search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(keyword, type=1, offset=0, limit=30):\n if keyword is None:\n raise ParamsError()\n r = NCloudBot()\n r.method = 'SEARCH'\n r.data = {'s': keyword, 'limit': str(limit), 'type': str(type),\n 'offset': str(offset)}\n r.send()\n return r.response\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x(uid, offset='0', limit=30):
if uid is None:
raise ParamsError()
r = NCloudBot()
r.method = 'USER_FOLLOWS'
r.params = {'uid': uid}
r.data = {'offset': offset, 'limit': limit, 'order': True}
r.send()
return r.response
| user_follows | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(uid, offset='0', limit=30):\n if uid is None:\n raise ParamsError()\n r = NCloudBot()\n r.method = 'USER_FOLLOWS'\n r.params = {'uid': uid}\n r.data = {'offset': offset, 'limit': limit, 'order': True}\n r.send()\n return r.response\n",
"role": "user"
},
{
"content": "user_follows",
"role": "assistant"
}
] |
def x(uid):
if uid is None:
raise ParamsError()
r = NCloudBot()
r.method = 'USER_EVENT'
r.params = {'uid': uid}
r.data = {'time': -1, 'getcounts': True, 'csrf_token': ''}
r.send()
return r.response
| user_event | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(uid):\n if uid is None:\n raise ParamsError()\n r = NCloudBot()\n r.method = 'USER_EVENT'\n r.params = {'uid': uid}\n r.data = {'time': -1, 'getcounts': True, 'csrf_token': ''}\n r.send()\n return r.response\n",
"role": "user"
},
{
"content": "user_event",
"role": "assistant"
}
] |
def x(uid, type=0):
if uid is None:
raise ParamsError()
r = NCloudBot()
r.method = 'USER_RECORD'
r.data = {'type': type, 'uid': uid, 'csrf_token': ''}
r.send()
return r.response
| user_record | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(uid, type=0):\n if uid is None:\n raise ParamsError()\n r = NCloudBot()\n r.method = 'USER_RECORD'\n r.data = {'type': type, 'uid': uid, 'csrf_token': ''}\n r.send()\n return r.response\n",
"role": "user"
},
{
"content": "user_record",
"role": "assistant"
}
] |
def x():
r = NCloudBot()
r.method = 'EVENT'
r.data = {'csrf_token': ''}
r.send()
return r.response
| event | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n r = NCloudBot()\n r.method = 'EVENT'\n r.data = {'csrf_token': ''}\n r.send()\n return r.response\n",
"role": "user"
},
{
"content": "event",
"role": "assistant"
}
] |
def x(cat='全部', offset=0, limit=20):
r = NCloudBot()
r.method = 'TOP_PLAYLIST_HIGHQUALITY'
r.data = {'cat': cat, 'offset': offset, 'limit': limit}
r.send()
return r.response
| top_playlist_highquality | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cat='全部', offset=0, limit=20):\n r = NCloudBot()\n r.method = 'TOP_PLAYLIST_HIGHQUALITY'\n r.data = {'cat': cat, 'offset': offset, 'limit': limit}\n r.send()\n return r.response\n",
"role": "user"
},
{
"content": "top_playlist_highquality",
"role": "assistant"
}
] |
def x(id, limit=20):
if id is None:
raise ParamsError()
r = NCloudBot()
r.method = 'PLAY_LIST_DETAIL'
r.data = {'id': id, 'limit': limit, 'csrf_token': ''}
r.send()
return r.response
| play_list_detail | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id, limit=20):\n if id is None:\n raise ParamsError()\n r = NCloudBot()\n r.method = 'PLAY_LIST_DETAIL'\n r.data = {'id': id, 'limit': limit, 'csrf_token': ''}\n r.send()\n return r.response\n",
"role": "user"
},
{
"content": "play_list_detail",
"role": "assistant"
}
] |
def x(ids=[]):
if not isinstance(ids, list):
raise ParamsError()
r = NCloudBot()
r.method = 'MUSIC_URL'
r.data = {'ids': ids, 'br': 999000, 'csrf_token': ''}
r.send()
return r.response
| music_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ids=[]):\n if not isinstance(ids, list):\n raise ParamsError()\n r = NCloudBot()\n r.method = 'MUSIC_URL'\n r.data = {'ids': ids, 'br': 999000, 'csrf_token': ''}\n r.send()\n return r.response\n",
"role": "user"
},
{
"content": "music_url",
"role": "assistant"
}
] |
def x(id):
if id is None:
raise ParamsError()
r = NCloudBot()
r.method = 'LYRIC'
r.params = {'id': id}
r.send()
return r.response
| lyric | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id):\n if id is None:\n raise ParamsError()\n r = NCloudBot()\n r.method = 'LYRIC'\n r.params = {'id': id}\n r.send()\n return r.response\n",
"role": "user"
},
{
"content": "lyric",
"role": "assistant"
}
] |
def x(id, offset=0, limit=20):
if id is None:
raise ParamsError()
r = NCloudBot()
r.method = 'MUSIC_COMMENT'
r.params = {'id': id}
r.data = {'offset': offset, 'limit': limit, 'rid': id, 'csrf_token': ''}
r.send()
return r.response
| music_comment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id, offset=0, limit=20):\n if id is None:\n raise ParamsError()\n r = NCloudBot()\n r.method = 'MUSIC_COMMENT'\n r.params = {'id': id}\n r.data = {'offset': offset, 'limit': limit, 'rid': id, 'csrf_token': ''}\n r.send()\n return r.response\n",
"role": "user"
},
{
"content": "music_comment",
"role": "assistant"
}
] |
def x(ids):
if not isinstance(ids, list):
raise ParamsError()
c = []
for id in ids:
c.append({'id': id})
r = NCloudBot()
r.method = 'SONG_DETAIL'
r.data = {'c': json.dumps(c), 'ids': c, 'csrf_token': ''}
r.send()
return r.response
| song_detail | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ids):\n if not isinstance(ids, list):\n raise ParamsError()\n c = []\n for id in ids:\n c.append({'id': id})\n r = NCloudBot()\n r.method = 'SONG_DETAIL'\n r.data = {'c': json.dumps(c), 'ids': c, 'csrf_token': ''}\n r.send()\n return r.response\n",
"role": "user"
},
{
"content": "song_detail",
"role": "assistant"
}
] |
def x():
r = NCloudBot()
r.method = 'PERSONAL_FM'
r.data = {'csrf_token': ''}
r.send()
return r.response
| personal_fm | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n r = NCloudBot()\n r.method = 'PERSONAL_FM'\n r.data = {'csrf_token': ''}\n r.send()\n return r.response\n",
"role": "user"
},
{
"content": "personal_fm",
"role": "assistant"
}
] |
def x(self):
headers = {'Accept': '*/*', 'Accept-Language':
'zh-CN,zh;q=0.8,gl;q=0.6,zh-TW;q=0.4', 'Connection': 'keep-alive',
'Content-Type': 'application/x-www-form-urlencoded', 'Referer':
'http://music.163.com', 'Host': 'music.163.com', 'User-Agent':
'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_9_2) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/33.0.1750.152 Safari/537.36'
}
NCloudBot.req.headers.update(headers)
return NCloudBot.req
| get_webapi_requests | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n headers = {'Accept': '*/*', 'Accept-Language':\n 'zh-CN,zh;q=0.8,gl;q=0.6,zh-TW;q=0.4', 'Connection': 'keep-alive',\n 'Content-Type': 'application/x-www-form-urlencoded', 'Referer':\n 'http://music.163.com', 'Host': 'music.163.com', 'User-Agent':\n 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_9_2) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/33.0.1750.152 Safari/537.36'\n }\n NCloudBot.req.headers.update(headers)\n return NCloudBot.req\n",
"role": "user"
},
{
"content": "get_webapi_requests",
"role": "assistant"
}
] |
def x(self, resp):
self.response.content = resp.content
self.response.status_code = resp.status_code
self.response.headers = resp.headers
| build_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, resp):\n self.response.content = resp.content\n self.response.status_code = resp.status_code\n self.response.headers = resp.headers\n",
"role": "user"
},
{
"content": "build_response",
"role": "assistant"
}
] |
def x(self):
if not self.headers and len(self.content) > 3:
encoding = get_encoding_from_headers(self.headers)
if encoding is not None:
return json.loads(self.content.decode(encoding))
return json.loads(self.content)
| json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.headers and len(self.content) > 3:\n encoding = get_encoding_from_headers(self.headers)\n if encoding is not None:\n return json.loads(self.content.decode(encoding))\n return json.loads(self.content)\n",
"role": "user"
},
{
"content": "json",
"role": "assistant"
}
] |
def x(name, value):
old = get_option(name)
globals()[name] = value
return old
| set_option | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, value):\n old = get_option(name)\n globals()[name] = value\n return old\n",
"role": "user"
},
{
"content": "set_option",
"role": "assistant"
}
] |
def x(verb):
data = pd.merge(verb.x, verb.y, **verb.kwargs)
if isinstance(verb.x, GroupedDataFrame):
data.plydata_groups = list(verb.x.plydata_groups)
return data
| join | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(verb):\n data = pd.merge(verb.x, verb.y, **verb.kwargs)\n if isinstance(verb.x, GroupedDataFrame):\n data.plydata_groups = list(verb.x.plydata_groups)\n return data\n",
"role": "user"
},
{
"content": "join",
"role": "assistant"
}
] |
def x(self, by=None, **kwargs):
if by is None:
by = self.plydata_groups
if 'sort' not in kwargs:
kwargs['sort'] = False
return super().groupby(by, **kwargs)
| groupby | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, by=None, **kwargs):\n if by is None:\n by = self.plydata_groups\n if 'sort' not in kwargs:\n kwargs['sort'] = False\n return super().groupby(by, **kwargs)\n",
"role": "user"
},
{
"content": "groupby",
"role": "assistant"
}
] |
def x(self):
if not self.plydata_groups:
return np.ones(len(self), dtype=int)
grouper = self.groupby()
indices = np.empty(len(self), dtype=int)
for i, (_, idx) in enumerate(sorted(grouper.indices.items())):
indices[idx] = i
return indices
| group_indices | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.plydata_groups:\n return np.ones(len(self), dtype=int)\n grouper = self.groupby()\n indices = np.empty(len(self), dtype=int)\n for i, (_, idx) in enumerate(sorted(grouper.indices.items())):\n indices[idx] = i\n return indices\n",
"role": "user"
},
{
"content": "group_indices",
"role": "assistant"
}
] |
def x(verb_func, add_groups=False):
@wraps(verb_func)
def x(verb):
verb.expressions, new_columns = build_expressions(verb)
if add_groups:
verb.groups = new_columns
return verb_func(verb)
return _verb_func
| make_verb_helper | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(verb_func, add_groups=False):\n\n @wraps(verb_func)\n def x(verb):\n verb.expressions, new_columns = build_expressions(verb)\n if add_groups:\n verb.groups = new_columns\n return verb_func(verb)\n return _verb_func\n",
"role": "user"
},
{
"content": "make_verb_helper",
"role": "assistant"
}
] |
def x(df):
if isinstance(df, GroupedDataFrame):
base_df = GroupedDataFrame(df.loc[:, df.plydata_groups], df.
plydata_groups, copy=True)
else:
base_df = pd.DataFrame(index=df.index)
return base_df
| get_base_dataframe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df):\n if isinstance(df, GroupedDataFrame):\n base_df = GroupedDataFrame(df.loc[:, df.plydata_groups], df.\n plydata_groups, copy=True)\n else:\n base_df = pd.DataFrame(index=df.index)\n return base_df\n",
"role": "user"
},
{
"content": "get_base_dataframe",
"role": "assistant"
}
] |
def x(data, gdf):
n = len(data)
if isinstance(gdf, GroupedDataFrame):
for i, col in enumerate(gdf.plydata_groups):
if col not in data:
group_values = [gdf[col].iloc[0]] * n
if pdtypes.is_categorical_dtype(gdf[col]):
col_values = pd.Categorical(group_values, categories=
gdf[col].cat.categories, ordered=gdf[col].cat.ordered)
else:
col_values = pd.Series(group_values, index=data.index,
dtype=gdf[col].dtype)
data.insert(i, col, col_values)
return data
| add_group_columns | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, gdf):\n n = len(data)\n if isinstance(gdf, GroupedDataFrame):\n for i, col in enumerate(gdf.plydata_groups):\n if col not in data:\n group_values = [gdf[col].iloc[0]] * n\n if pdtypes.is_categorical_dtype(gdf[col]):\n col_values = pd.Categorical(group_values, categories=\n gdf[col].cat.categories, ordered=gdf[col].cat.ordered)\n else:\n col_values = pd.Series(group_values, index=data.index,\n dtype=gdf[col].dtype)\n data.insert(i, col, col_values)\n return data\n",
"role": "user"
},
{
"content": "add_group_columns",
"role": "assistant"
}
] |
def x(data, col, value):
with suppress(AttributeError):
if not value.index.equals(data.index):
if len(value) == len(data):
value.index = data.index
else:
value.reset_index(drop=True, inplace=True)
if data.index.empty:
try:
len(value)
except TypeError:
scalar = True
else:
scalar = isinstance(value, str)
if scalar:
value = [value]
data[col] = value
return data
| create_column | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, col, value):\n with suppress(AttributeError):\n if not value.index.equals(data.index):\n if len(value) == len(data):\n value.index = data.index\n else:\n value.reset_index(drop=True, inplace=True)\n if data.index.empty:\n try:\n len(value)\n except TypeError:\n scalar = True\n else:\n scalar = isinstance(value, str)\n if scalar:\n value = [value]\n data[col] = value\n return data\n",
"role": "user"
},
{
"content": "create_column",
"role": "assistant"
}
] |
def x(verb):
def x(func, col, *args, **kwargs):
def x(gdf):
return func(gdf[col], *args, **kwargs)
return new_func
def x(func, col):
if isinstance(func, str):
expr = '{}({})'.format(func, col)
elif callable(func):
expr = partial(func, col, *verb.args, **verb.kwargs)
else:
raise TypeError('{} is not a function'.format(func))
return expr
def x(func):
if isinstance(func, str):
return func
try:
return func.__name__
except AttributeError:
return ''
if isinstance(verb.functions, (tuple, list)):
names = (func_name(func) for func in verb.functions)
names_and_functions = zip(names, verb.functions)
else:
names_and_functions = verb.functions.items()
columns = Selector.get(verb)
postfixes = []
stmts = []
for name, func in names_and_functions:
postfixes.append(name)
for col in columns:
stmts.append(make_statement(func, col))
if not stmts:
stmts = columns
add_postfix = isinstance(verb.functions, dict) or len(verb.functions) > 1
if add_postfix:
fmt = '{}_{}'.format
new_columns = [fmt(c, p) for p in postfixes for c in columns]
else:
new_columns = columns
expressions = [Expression(stmt, col) for stmt, col in zip(stmts,
new_columns)]
return expressions, new_columns
| build_expressions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(verb):\n\n def x(func, col, *args, **kwargs):\n\n def x(gdf):\n return func(gdf[col], *args, **kwargs)\n return new_func\n\n def x(func, col):\n if isinstance(func, str):\n expr = '{}({})'.format(func, col)\n elif callable(func):\n expr = partial(func, col, *verb.args, **verb.kwargs)\n else:\n raise TypeError('{} is not a function'.format(func))\n return expr\n\n def x(func):\n if isinstance(func, str):\n return func\n try:\n return func.__name__\n except AttributeError:\n return ''\n if isinstance(verb.functions, (tuple, list)):\n names = (func_name(func) for func in verb.functions)\n names_and_functions = zip(names, verb.functions)\n else:\n names_and_functions = verb.functions.items()\n columns = Selector.get(verb)\n postfixes = []\n stmts = []\n for name, func in names_and_functions:\n postfixes.append(name)\n for col in columns:\n stmts.append(make_statement(func, col))\n if not stmts:\n stmts = columns\n add_postfix = isinstance(verb.functions, dict) or len(verb.functions) > 1\n if add_postfix:\n fmt = '{}_{}'.format\n new_columns = [fmt(c, p) for p in postfixes for c in columns]\n else:\n new_columns = columns\n expressions = [Expression(stmt, col) for stmt, col in zip(stmts,\n new_columns)]\n return expressions, new_columns\n",
"role": "user"
},
{
"content": "build_expressions",
"role": "assistant"
}
] |
def x(self):
if self._all_expressions_evaluated():
if self.drop:
columns = [expr.column for expr in self.expressions]
self.data = self.data.loc[:, columns]
return self.data
gdfs = self._get_group_dataframes()
egdfs = self._evaluate_expressions(gdfs)
edata = self._concat(egdfs)
return edata
| process | [
{
"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._all_expressions_evaluated():\n if self.drop:\n columns = [expr.column for expr in self.expressions]\n self.data = self.data.loc[:, columns]\n return self.data\n gdfs = self._get_group_dataframes()\n egdfs = self._evaluate_expressions(gdfs)\n edata = self._concat(egdfs)\n return edata\n",
"role": "user"
},
{
"content": "process",
"role": "assistant"
}
] |
def x(self):
def x(expr):
return expr.stmt == expr.column and expr.column in self.data
return all(present(expr) for expr in self.expressions)
| all_expressions_evaluated | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n def x(expr):\n return expr.stmt == expr.column and expr.column in self.data\n return all(present(expr) for expr in self.expressions)\n",
"role": "user"
},
{
"content": "all_expressions_evaluated",
"role": "assistant"
}
] |
def x(self):
if isinstance(self.data, GroupedDataFrame):
grouper = self.data.groupby()
return (gdf for _, gdf in grouper if not gdf.empty)
else:
return self.data,
| get_group_dataframes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if isinstance(self.data, GroupedDataFrame):\n grouper = self.data.groupby()\n return (gdf for _, gdf in grouper if not gdf.empty)\n else:\n return self.data,\n",
"role": "user"
},
{
"content": "get_group_dataframes",
"role": "assistant"
}
] |
def x(self, gdf):
gdf._is_copy = None
result_index = gdf.index if self.keep_index else []
data = pd.DataFrame(index=result_index)
for expr in self.expressions:
value = expr.evaluate(gdf, self.env)
if isinstance(value, pd.DataFrame):
data = value
break
else:
_create_column(data, expr.column, value)
data = _add_group_columns(data, gdf)
return data
| evaluate_group_dataframe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, gdf):\n gdf._is_copy = None\n result_index = gdf.index if self.keep_index else []\n data = pd.DataFrame(index=result_index)\n for expr in self.expressions:\n value = expr.evaluate(gdf, self.env)\n if isinstance(value, pd.DataFrame):\n data = value\n break\n else:\n _create_column(data, expr.column, value)\n data = _add_group_columns(data, gdf)\n return data\n",
"role": "user"
},
{
"content": "evaluate_group_dataframe",
"role": "assistant"
}
] |
def x(self, egdfs):
egdfs = list(egdfs)
edata = pd.concat(egdfs, axis=0, ignore_index=False, copy=False)
one2one = self.keep_index and not any(edata.index.duplicated()) and len(
edata.index) == len(self.data.index)
if one2one:
edata = edata.sort_index()
else:
edata.reset_index(drop=True, inplace=True)
if self.keep_groups and self.groups:
edata = GroupedDataFrame(edata, groups=self.groups)
return edata
| concat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, egdfs):\n egdfs = list(egdfs)\n edata = pd.concat(egdfs, axis=0, ignore_index=False, copy=False)\n one2one = self.keep_index and not any(edata.index.duplicated()) and len(\n edata.index) == len(self.data.index)\n if one2one:\n edata = edata.sort_index()\n else:\n edata.reset_index(drop=True, inplace=True)\n if self.keep_groups and self.groups:\n edata = GroupedDataFrame(edata, groups=self.groups)\n return edata\n",
"role": "user"
},
{
"content": "concat",
"role": "assistant"
}
] |
def x(data_columns, names):
def x(sc):
idx_start = data_columns.get_loc(sc.start)
idx_stop = data_columns.get_loc(sc.stop) + 1
return data_columns[idx_start:idx_stop:sc.step]
result = []
for col in names:
if isinstance(col, slice):
result.extend(_get_slice_cols(col))
else:
result.append(col)
return tuple(result)
| resolve_slices | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data_columns, names):\n\n def x(sc):\n idx_start = data_columns.get_loc(sc.start)\n idx_stop = data_columns.get_loc(sc.stop) + 1\n return data_columns[idx_start:idx_stop:sc.step]\n result = []\n for col in names:\n if isinstance(col, slice):\n result.extend(_get_slice_cols(col))\n else:\n result.append(col)\n return tuple(result)\n",
"role": "user"
},
{
"content": "resolve_slices",
"role": "assistant"
}
] |
def x(cls, verb):
columns = verb.data.columns
contains = verb.contains
matches = verb.matches
groups = _get_groups(verb)
names = cls._resolve_slices(columns, verb.names)
names_set = set(names)
groups_set = set(groups)
lst = [[]]
if names or groups:
missing = [g for g in groups if g not in names_set]
missing_set = set(missing)
c1 = missing + [x for x in names if x not in missing_set]
lst.append(c1)
if verb.startswith:
c2 = [x for x in columns if isinstance(x, str) and x.startswith(
verb.startswith)]
lst.append(c2)
if verb.endswith:
c3 = [x for x in columns if isinstance(x, str) and x.endswith(verb.
endswith)]
lst.append(c3)
if contains:
c4 = []
for col in columns:
if isinstance(col, str) and any(s in col for s in contains):
c4.append(col)
lst.append(c4)
if matches:
c5 = []
patterns = [(x if hasattr(x, 'match') else re.compile(x)) for x in
matches]
for col in columns:
if isinstance(col, str):
if any(bool(p.match(col)) for p in patterns):
c5.append(col)
lst.append(c5)
selected = unique(list(itertools.chain(*lst)))
if verb.drop:
to_drop = [col for col in selected if col not in groups_set]
selected = [col for col in columns if col not in to_drop]
return selected
| select | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, verb):\n columns = verb.data.columns\n contains = verb.contains\n matches = verb.matches\n groups = _get_groups(verb)\n names = cls._resolve_slices(columns, verb.names)\n names_set = set(names)\n groups_set = set(groups)\n lst = [[]]\n if names or groups:\n missing = [g for g in groups if g not in names_set]\n missing_set = set(missing)\n c1 = missing + [x for x in names if x not in missing_set]\n lst.append(c1)\n if verb.startswith:\n c2 = [x for x in columns if isinstance(x, str) and x.startswith(\n verb.startswith)]\n lst.append(c2)\n if verb.endswith:\n c3 = [x for x in columns if isinstance(x, str) and x.endswith(verb.\n endswith)]\n lst.append(c3)\n if contains:\n c4 = []\n for col in columns:\n if isinstance(col, str) and any(s in col for s in contains):\n c4.append(col)\n lst.append(c4)\n if matches:\n c5 = []\n patterns = [(x if hasattr(x, 'match') else re.compile(x)) for x in\n matches]\n for col in columns:\n if isinstance(col, str):\n if any(bool(p.match(col)) for p in patterns):\n c5.append(col)\n lst.append(c5)\n selected = unique(list(itertools.chain(*lst)))\n if verb.drop:\n to_drop = [col for col in selected if col not in groups_set]\n selected = [col for col in columns if col not in to_drop]\n return selected\n",
"role": "user"
},
{
"content": "select",
"role": "assistant"
}
] |
def x(cls, verb):
groups = set(_get_groups(verb))
return [col for col in verb.data if col not in groups]
| all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, verb):\n groups = set(_get_groups(verb))\n return [col for col in verb.data if col not in groups]\n",
"role": "user"
},
{
"content": "all",
"role": "assistant"
}
] |
def x(cls, verb):
columns = cls.select(verb)
final_columns_set = set(cls.select(verb))
groups_set = set(_get_groups(verb))
final_columns_set -= groups_set - set(verb.names)
def x(col):
if col not in verb.data:
raise KeyError('Unknown column name, {!r}'.format(col))
return col in final_columns_set
return [col for col in columns if pred(col)]
| at | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, verb):\n columns = cls.select(verb)\n final_columns_set = set(cls.select(verb))\n groups_set = set(_get_groups(verb))\n final_columns_set -= groups_set - set(verb.names)\n\n def x(col):\n if col not in verb.data:\n raise KeyError('Unknown column name, {!r}'.format(col))\n return col in final_columns_set\n return [col for col in columns if pred(col)]\n",
"role": "user"
},
{
"content": "at",
"role": "assistant"
}
] |
def x(cls, verb):
pred = verb.predicate
data = verb.data
groups = set(_get_groups(verb))
if isinstance(pred, str):
if not pred.endswith('_dtype'):
pred = '{}_dtype'.format(pred)
pred = getattr(pdtypes, pred)
elif pdtypes.is_bool_dtype(np.array(pred)):
it = iter(pred)
def x(col):
return next(it)
return [col for col in data if pred(data[col]) and col not in groups]
| if | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, verb):\n pred = verb.predicate\n data = verb.data\n groups = set(_get_groups(verb))\n if isinstance(pred, str):\n if not pred.endswith('_dtype'):\n pred = '{}_dtype'.format(pred)\n pred = getattr(pdtypes, pred)\n elif pdtypes.is_bool_dtype(np.array(pred)):\n it = iter(pred)\n\n def x(col):\n return next(it)\n return [col for col in data if pred(data[col]) and col not in groups]\n",
"role": "user"
},
{
"content": "if",
"role": "assistant"
}
] |
def x(data, verb):
try:
module = type_lookup[type(data)]
except KeyError:
for type_, mod in type_lookup.items():
if isinstance(data, type_):
module = mod
break
try:
return getattr(module, verb)
except (NameError, AttributeError):
msg = "Data source of type '{}' is not supported."
raise TypeError(msg.format(type(data)))
| get_verb_function | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, verb):\n try:\n module = type_lookup[type(data)]\n except KeyError:\n for type_, mod in type_lookup.items():\n if isinstance(data, type_):\n module = mod\n break\n try:\n return getattr(module, verb)\n except (NameError, AttributeError):\n msg = \"Data source of type '{}' is not supported.\"\n raise TypeError(msg.format(type(data)))\n",
"role": "user"
},
{
"content": "get_verb_function",
"role": "assistant"
}
] |
def x(*args, **kwargs):
if not hasattr(args[0], '_Expression'):
return BaseExpression(*args, *kwargs)
else:
return args[0]._Expression(*args, **kwargs)
| Expression | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n if not hasattr(args[0], '_Expression'):\n return BaseExpression(*args, *kwargs)\n else:\n return args[0]._Expression(*args, **kwargs)\n",
"role": "user"
},
{
"content": "Expression",
"role": "assistant"
}
] |
def x(self, data, env):
def x():
return len(data)
if isinstance(self.stmt, str):
if self._has_n_func:
namespace = dict(data, n=n)
else:
namespace = data
if self.stmt not in KEYWORDS:
value = env.eval(self.stmt, source_name='Expression.evaluate',
inner_namespace=namespace)
else:
value = namespace[self.stmt]
elif callable(self.stmt):
value = self.stmt(data)
else:
value = self.stmt
return value
| evaluate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, env):\n\n def x():\n return len(data)\n if isinstance(self.stmt, str):\n if self._has_n_func:\n namespace = dict(data, n=n)\n else:\n namespace = data\n if self.stmt not in KEYWORDS:\n value = env.eval(self.stmt, source_name='Expression.evaluate',\n inner_namespace=namespace)\n else:\n value = namespace[self.stmt]\n elif callable(self.stmt):\n value = self.stmt(data)\n else:\n value = self.stmt\n return value\n",
"role": "user"
},
{
"content": "evaluate",
"role": "assistant"
}
] |
def x(self, data, env):
result = np.repeat(None, len(data))
copied = np.repeat(False, len(data))
for pred_expr, value_expr in self.pv_expressions:
bool_idx = pred_expr.evaluate(data, env)
if not pdtypes.is_bool_dtype(np.asarray(bool_idx)):
raise TypeError(
'The predicate keys must return a boolean array, or a boolean value.'
)
value = value_expr.evaluate(data, env)
mask = (copied ^ bool_idx) & bool_idx
copied |= bool_idx
idx = np.where(mask)[0]
result[idx] = self.nice_value(value, idx)
return np.array(list(result))
| evaluate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, env):\n result = np.repeat(None, len(data))\n copied = np.repeat(False, len(data))\n for pred_expr, value_expr in self.pv_expressions:\n bool_idx = pred_expr.evaluate(data, env)\n if not pdtypes.is_bool_dtype(np.asarray(bool_idx)):\n raise TypeError(\n 'The predicate keys must return a boolean array, or a boolean value.'\n )\n value = value_expr.evaluate(data, env)\n mask = (copied ^ bool_idx) & bool_idx\n copied |= bool_idx\n idx = np.where(mask)[0]\n result[idx] = self.nice_value(value, idx)\n return np.array(list(result))\n",
"role": "user"
},
{
"content": "evaluate",
"role": "assistant"
}
] |
def x(self, data, env):
bool_idx = self.predicate_expr.evaluate(data, env)
true_value = self.true_value_expr.evaluate(data, env)
false_value = self.false_value_expr.evaluate(data, env)
true_idx = np.where(bool_idx)[0]
false_idx = np.where(~bool_idx)[0]
result = np.repeat(None, len(data))
result[true_idx] = self.nice_value(true_value, true_idx)
result[false_idx] = self.nice_value(false_value, false_idx)
return np.array(list(result))
| evaluate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, env):\n bool_idx = self.predicate_expr.evaluate(data, env)\n true_value = self.true_value_expr.evaluate(data, env)\n false_value = self.false_value_expr.evaluate(data, env)\n true_idx = np.where(bool_idx)[0]\n false_idx = np.where(~bool_idx)[0]\n result = np.repeat(None, len(data))\n result[true_idx] = self.nice_value(true_value, true_idx)\n result[false_idx] = self.nice_value(false_value, false_idx)\n return np.array(list(result))\n",
"role": "user"
},
{
"content": "evaluate",
"role": "assistant"
}
] |
def x(self, outer_namespace):
return self.__class__(self._namespaces + [outer_namespace], self.flags)
| with_outer_namespace | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, outer_namespace):\n return self.__class__(self._namespaces + [outer_namespace], self.flags)\n",
"role": "user"
},
{
"content": "with_outer_namespace",
"role": "assistant"
}
] |
def x(self, expr, source_name='<string>', inner_namespace={}):
code = compile(expr, source_name, 'eval', self.flags, False)
return eval(code, {}, VarLookupDict([inner_namespace] + self._namespaces))
| eval | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, expr, source_name='<string>', inner_namespace={}):\n code = compile(expr, source_name, 'eval', self.flags, False)\n return eval(code, {}, VarLookupDict([inner_namespace] + self._namespaces))\n",
"role": "user"
},
{
"content": "eval",
"role": "assistant"
}
] |
def x(cls, eval_env=0, reference=0):
if isinstance(eval_env, cls):
return eval_env
elif isinstance(eval_env, numbers.Integral):
depth = eval_env + reference
else:
raise TypeError(
"Parameter 'eval_env' must be either an integer or an instance of patsy.EvalEnvironment."
)
frame = inspect.currentframe()
try:
for i in range(depth + 1):
if frame is None:
raise ValueError('call-stack is not that deep!')
frame = frame.f_back
return cls([frame.f_locals, frame.f_globals], frame.f_code.co_flags &
_ALL_FUTURE_FLAGS)
finally:
del frame
| capture | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, eval_env=0, reference=0):\n if isinstance(eval_env, cls):\n return eval_env\n elif isinstance(eval_env, numbers.Integral):\n depth = eval_env + reference\n else:\n raise TypeError(\n \"Parameter 'eval_env' must be either an integer or an instance of patsy.EvalEnvironment.\"\n )\n frame = inspect.currentframe()\n try:\n for i in range(depth + 1):\n if frame is None:\n raise ValueError('call-stack is not that deep!')\n frame = frame.f_back\n return cls([frame.f_locals, frame.f_globals], frame.f_code.co_flags &\n _ALL_FUTURE_FLAGS)\n finally:\n del frame\n",
"role": "user"
},
{
"content": "capture",
"role": "assistant"
}
] |
def x(self, names):
vld = VarLookupDict(self._namespaces)
new_ns = dict((name, vld[name]) for name in names)
return EvalEnvironment([new_ns], self.flags)
| subset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, names):\n vld = VarLookupDict(self._namespaces)\n new_ns = dict((name, vld[name]) for name in names)\n return EvalEnvironment([new_ns], self.flags)\n",
"role": "user"
},
{
"content": "subset",
"role": "assistant"
}
] |
def x(d, key, value):
d[key] = value
try:
yield d
finally:
del d[key]
| temporary_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d, key, value):\n d[key] = value\n try:\n yield d\n finally:\n del d[key]\n",
"role": "user"
},
{
"content": "temporary_key",
"role": "assistant"
}
] |
def x(obj, name, value):
setattr(obj, name, value)
try:
yield obj
finally:
delattr(obj, name)
| temporary_attr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, name, value):\n setattr(obj, name, value)\n try:\n yield obj\n finally:\n delattr(obj, name)\n",
"role": "user"
},
{
"content": "temporary_attr",
"role": "assistant"
}
] |
def x(name):
env = EvalEnvironment.capture(1)
try:
return env.namespace[name]
except KeyError:
raise NameError('No data named {!r} found'.format(name))
| Q | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n env = EvalEnvironment.capture(1)\n try:\n return env.namespace[name]\n except KeyError:\n raise NameError('No data named {!r} found'.format(name))\n",
"role": "user"
},
{
"content": "Q",
"role": "assistant"
}
] |
def x(*dfs):
original_index = [df.index for df in dfs]
have_bad_index = [(not isinstance(df.index, pd.RangeIndex)) for df in dfs]
for df, bad in zip(dfs, have_bad_index):
if bad:
df.reset_index(drop=True, inplace=True)
try:
yield dfs
finally:
for df, bad, idx in zip(dfs, have_bad_index, original_index):
if bad and len(df.index) == len(idx):
df.index = idx
| regular_index | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*dfs):\n original_index = [df.index for df in dfs]\n have_bad_index = [(not isinstance(df.index, pd.RangeIndex)) for df in dfs]\n for df, bad in zip(dfs, have_bad_index):\n if bad:\n df.reset_index(drop=True, inplace=True)\n try:\n yield dfs\n finally:\n for df, bad, idx in zip(dfs, have_bad_index, original_index):\n if bad and len(df.index) == len(idx):\n df.index = idx\n",
"role": "user"
},
{
"content": "regular_index",
"role": "assistant"
}
] |
def x(lst):
seen = set()
def x(x):
seen.add(x)
return x
return [make_seen(x) for x in lst if x not in seen]
| unique | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lst):\n seen = set()\n\n def x(x):\n seen.add(x)\n return x\n return [make_seen(x) for x in lst if x not in seen]\n",
"role": "user"
},
{
"content": "unique",
"role": "assistant"
}
] |
def x(arr, n):
try:
return arr.iloc[n]
except (KeyError, IndexError):
return np.nan
| nth | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(arr, n):\n try:\n return arr.iloc[n]\n except (KeyError, IndexError):\n return np.nan\n",
"role": "user"
},
{
"content": "nth",
"role": "assistant"
}
] |
def x(h=0, m=0, s=0, ms=0, frames=None, fps=None):
if frames is None and fps is None:
return times_to_ms(h, m, s, ms)
elif frames is not None and fps is not None:
return frames_to_ms(frames, fps)
else:
raise ValueError('Both fps and frames must be specified')
| make_time | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(h=0, m=0, s=0, ms=0, frames=None, fps=None):\n if frames is None and fps is None:\n return times_to_ms(h, m, s, ms)\n elif frames is not None and fps is not None:\n return frames_to_ms(frames, fps)\n else:\n raise ValueError('Both fps and frames must be specified')\n",
"role": "user"
},
{
"content": "make_time",
"role": "assistant"
}
] |
def x(groups):
h, m, s, frac = map(int, groups)
ms = frac * 10 ** (3 - len(groups[-1]))
ms += s * 1000
ms += m * 60000
ms += h * 3600000
return ms
| timestamp_to_ms | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(groups):\n h, m, s, frac = map(int, groups)\n ms = frac * 10 ** (3 - len(groups[-1]))\n ms += s * 1000\n ms += m * 60000\n ms += h * 3600000\n return ms\n",
"role": "user"
},
{
"content": "timestamp_to_ms",
"role": "assistant"
}
] |
def x(h=0, m=0, s=0, ms=0):
ms += s * 1000
ms += m * 60000
ms += h * 3600000
return int(round(ms))
| times_to_ms | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(h=0, m=0, s=0, ms=0):\n ms += s * 1000\n ms += m * 60000\n ms += h * 3600000\n return int(round(ms))\n",
"role": "user"
},
{
"content": "times_to_ms",
"role": "assistant"
}
] |
def x(frames, fps):
if fps <= 0:
raise ValueError('Framerate must be positive number (%f).' % fps)
return int(round(frames * (1000 / fps)))
| frames_to_ms | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(frames, fps):\n if fps <= 0:\n raise ValueError('Framerate must be positive number (%f).' % fps)\n return int(round(frames * (1000 / fps)))\n",
"role": "user"
},
{
"content": "frames_to_ms",
"role": "assistant"
}
] |
def x(ms, fps):
if fps <= 0:
raise ValueError('Framerate must be positive number (%f).' % fps)
return int(round(ms / 1000 * fps))
| ms_to_frames | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ms, fps):\n if fps <= 0:\n raise ValueError('Framerate must be positive number (%f).' % fps)\n return int(round(ms / 1000 * fps))\n",
"role": "user"
},
{
"content": "ms_to_frames",
"role": "assistant"
}
] |
def x(ms):
ms = int(round(ms))
h, ms = divmod(ms, 3600000)
m, ms = divmod(ms, 60000)
s, ms = divmod(ms, 1000)
return Times(h, m, s, ms)
| ms_to_times | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ms):\n ms = int(round(ms))\n h, ms = divmod(ms, 3600000)\n m, ms = divmod(ms, 60000)\n s, ms = divmod(ms, 1000)\n return Times(h, m, s, ms)\n",
"role": "user"
},
{
"content": "ms_to_times",
"role": "assistant"
}
] |
def x(ms, fractions=False):
sgn = '-' if ms < 0 else ''
h, m, s, ms = ms_to_times(abs(ms))
if fractions:
return sgn + '{:01d}:{:02d}:{:02d}.{:03d}'.format(h, m, s, ms)
else:
return sgn + '{:01d}:{:02d}:{:02d}'.format(h, m, s)
| ms_to_str | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ms, fractions=False):\n sgn = '-' if ms < 0 else ''\n h, m, s, ms = ms_to_times(abs(ms))\n if fractions:\n return sgn + '{:01d}:{:02d}:{:02d}.{:03d}'.format(h, m, s, ms)\n else:\n return sgn + '{:01d}:{:02d}:{:02d}'.format(h, m, s)\n",
"role": "user"
},
{
"content": "ms_to_str",
"role": "assistant"
}
] |
def x(ms):
if ms < 0:
ms = 0
if ms > MAX_REPRESENTABLE_TIME:
ms = MAX_REPRESENTABLE_TIME
h, m, s, ms = ms_to_times(ms)
return '%01d:%02d:%02d.%02d' % (h, m, s, ms // 10)
| ms_to_timestamp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ms):\n if ms < 0:\n ms = 0\n if ms > MAX_REPRESENTABLE_TIME:\n ms = MAX_REPRESENTABLE_TIME\n h, m, s, ms = ms_to_times(ms)\n return '%01d:%02d:%02d.%02d' % (h, m, s, ms // 10)\n",
"role": "user"
},
{
"content": "ms_to_timestamp",
"role": "assistant"
}
] |
def x(text, style=SSAStyle.DEFAULT_STYLE, styles={}):
fragments = SSAEvent.OVERRIDE_SEQUENCE.split(text)
if len(fragments) == 1:
return [(text, style)]
def x(all_overrides):
s = style.copy()
for tag in re.findall('\\\\[ibus][10]|\\\\r[a-zA-Z_0-9 ]*',
all_overrides):
if tag == '\\r':
s = style.copy()
elif tag.startswith('\\r'):
name = tag[2:]
if name in styles:
s = styles[name].copy()
elif 'i' in tag:
s.italic = '1' in tag
elif 'b' in tag:
s.bold = '1' in tag
elif 'u' in tag:
s.underline = '1' in tag
elif 's' in tag:
s.strikeout = '1' in tag
return s
overrides = SSAEvent.OVERRIDE_SEQUENCE.findall(text)
overrides_prefix_sum = [''.join(overrides[:i]) for i in range(len(
overrides) + 1)]
computed_styles = map(apply_overrides, overrides_prefix_sum)
return list(zip(fragments, computed_styles))
| parse_tags | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, style=SSAStyle.DEFAULT_STYLE, styles={}):\n fragments = SSAEvent.OVERRIDE_SEQUENCE.split(text)\n if len(fragments) == 1:\n return [(text, style)]\n\n def x(all_overrides):\n s = style.copy()\n for tag in re.findall('\\\\\\\\[ibus][10]|\\\\\\\\r[a-zA-Z_0-9 ]*',\n all_overrides):\n if tag == '\\\\r':\n s = style.copy()\n elif tag.startswith('\\\\r'):\n name = tag[2:]\n if name in styles:\n s = styles[name].copy()\n elif 'i' in tag:\n s.italic = '1' in tag\n elif 'b' in tag:\n s.bold = '1' in tag\n elif 'u' in tag:\n s.underline = '1' in tag\n elif 's' in tag:\n s.strikeout = '1' in tag\n return s\n overrides = SSAEvent.OVERRIDE_SEQUENCE.findall(text)\n overrides_prefix_sum = [''.join(overrides[:i]) for i in range(len(\n overrides) + 1)]\n computed_styles = map(apply_overrides, overrides_prefix_sum)\n return list(zip(fragments, computed_styles))\n",
"role": "user"
},
{
"content": "parse_tags",
"role": "assistant"
}
] |
def x(self):
text = self.text
text = self.OVERRIDE_SEQUENCE.sub('', text)
text = text.replace('\\h', ' ')
text = text.replace('\\n', '\n')
text = text.replace('\\N', '\n')
return text
| plaintext | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n text = self.text\n text = self.OVERRIDE_SEQUENCE.sub('', text)\n text = text.replace('\\\\h', ' ')\n text = text.replace('\\\\n', '\\n')\n text = text.replace('\\\\N', '\\n')\n return text\n",
"role": "user"
},
{
"content": "plaintext",
"role": "assistant"
}
] |
def x(self, h=0, m=0, s=0, ms=0, frames=None, fps=None):
delta = make_time(h=h, m=m, s=s, ms=ms, frames=frames, fps=fps)
self.start += delta
self.end += delta
| shift | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, h=0, m=0, s=0, ms=0, frames=None, fps=None):\n delta = make_time(h=h, m=m, s=s, ms=ms, frames=frames, fps=fps)\n self.start += delta\n self.end += delta\n",
"role": "user"
},
{
"content": "shift",
"role": "assistant"
}
] |
def x(self, other):
if isinstance(other, SSAEvent):
return self.as_dict() == other.as_dict()
else:
raise TypeError('Cannot compare to non-SSAEvent object')
| equals | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n if isinstance(other, SSAEvent):\n return self.as_dict() == other.as_dict()\n else:\n raise TypeError('Cannot compare to non-SSAEvent object')\n",
"role": "user"
},
{
"content": "equals",
"role": "assistant"
}
] |
def x(cls, path, encoding='utf-8', format_=None, fps=None, **kwargs):
with open(path, encoding=encoding) as fp:
return cls.from_file(fp, format_, fps=fps, **kwargs)
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, path, encoding='utf-8', format_=None, fps=None, **kwargs):\n with open(path, encoding=encoding) as fp:\n return cls.from_file(fp, format_, fps=fps, **kwargs)\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(cls, string, format_=None, fps=None, **kwargs):
fp = io.StringIO(string)
return cls.from_file(fp, format_, fps=fps, **kwargs)
| from_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, string, format_=None, fps=None, **kwargs):\n fp = io.StringIO(string)\n return cls.from_file(fp, format_, fps=fps, **kwargs)\n",
"role": "user"
},
{
"content": "from_string",
"role": "assistant"
}
] |
def x(cls, fp, format_=None, fps=None, **kwargs):
if format_ is None:
text = fp.read()
fragment = text[:10000]
format_ = autodetect_format(fragment)
fp = io.StringIO(text)
impl = get_format_class(format_)
subs = cls()
subs.format = format_
subs.fps = fps
impl.from_file(subs, fp, format_, fps=fps, **kwargs)
return subs
| from_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, fp, format_=None, fps=None, **kwargs):\n if format_ is None:\n text = fp.read()\n fragment = text[:10000]\n format_ = autodetect_format(fragment)\n fp = io.StringIO(text)\n impl = get_format_class(format_)\n subs = cls()\n subs.format = format_\n subs.fps = fps\n impl.from_file(subs, fp, format_, fps=fps, **kwargs)\n return subs\n",
"role": "user"
},
{
"content": "from_file",
"role": "assistant"
}
] |
def x(self, path, encoding='utf-8', format_=None, fps=None, **kwargs):
if format_ is None:
ext = os.path.splitext(path)[1].lower()
format_ = get_format_identifier(ext)
with open(path, 'w', encoding=encoding) as fp:
self.to_file(fp, format_, fps=fps, **kwargs)
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, encoding='utf-8', format_=None, fps=None, **kwargs):\n if format_ is None:\n ext = os.path.splitext(path)[1].lower()\n format_ = get_format_identifier(ext)\n with open(path, 'w', encoding=encoding) as fp:\n self.to_file(fp, format_, fps=fps, **kwargs)\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(self, format_, fps=None, **kwargs):
fp = io.StringIO()
self.to_file(fp, format_, fps=fps, **kwargs)
return fp.getvalue()
| to_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, format_, fps=None, **kwargs):\n fp = io.StringIO()\n self.to_file(fp, format_, fps=fps, **kwargs)\n return fp.getvalue()\n",
"role": "user"
},
{
"content": "to_string",
"role": "assistant"
}
] |
def x(self, fp, format_, fps=None, **kwargs):
impl = get_format_class(format_)
impl.to_file(self, fp, format_, fps=fps, **kwargs)
| to_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fp, format_, fps=None, **kwargs):\n impl = get_format_class(format_)\n impl.to_file(self, fp, format_, fps=fps, **kwargs)\n",
"role": "user"
},
{
"content": "to_file",
"role": "assistant"
}
] |
def x(self, in_fps, out_fps):
if in_fps <= 0 or out_fps <= 0:
raise ValueError(
'Framerates must be positive, cannot transform %f -> %f' % (
in_fps, out_fps))
ratio = in_fps / out_fps
for line in self:
line.start = int(round(line.start * ratio))
line.end = int(round(line.end * ratio))
| transform_framerate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, in_fps, out_fps):\n if in_fps <= 0 or out_fps <= 0:\n raise ValueError(\n 'Framerates must be positive, cannot transform %f -> %f' % (\n in_fps, out_fps))\n ratio = in_fps / out_fps\n for line in self:\n line.start = int(round(line.start * ratio))\n line.end = int(round(line.end * ratio))\n",
"role": "user"
},
{
"content": "transform_framerate",
"role": "assistant"
}
] |
def x(self, old_name, new_name):
if old_name not in self.styles:
raise KeyError('Style %r not found' % old_name)
if new_name in self.styles:
raise ValueError('There is already a style called %r' % new_name)
if not is_valid_field_content(new_name):
raise ValueError('%r is not a valid name' % new_name)
self.styles[new_name] = self.styles[old_name]
del self.styles[old_name]
for line in self:
if line.style == old_name:
line.style = new_name
| rename_style | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, old_name, new_name):\n if old_name not in self.styles:\n raise KeyError('Style %r not found' % old_name)\n if new_name in self.styles:\n raise ValueError('There is already a style called %r' % new_name)\n if not is_valid_field_content(new_name):\n raise ValueError('%r is not a valid name' % new_name)\n self.styles[new_name] = self.styles[old_name]\n del self.styles[old_name]\n for line in self:\n if line.style == old_name:\n line.style = new_name\n",
"role": "user"
},
{
"content": "rename_style",
"role": "assistant"
}
] |
def x(self, subs, overwrite=True):
if not isinstance(subs, SSAFile):
raise TypeError('Must supply an SSAFile.')
for name, style in subs.styles.items():
if name not in self.styles or overwrite:
self.styles[name] = style
| import_styles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subs, overwrite=True):\n if not isinstance(subs, SSAFile):\n raise TypeError('Must supply an SSAFile.')\n for name, style in subs.styles.items():\n if name not in self.styles or overwrite:\n self.styles[name] = style\n",
"role": "user"
},
{
"content": "import_styles",
"role": "assistant"
}
] |
def x(self, other):
if isinstance(other, SSAFile):
for key in (set(chain(self.info.keys(), other.info.keys())) - {
'ScriptType'}):
sv, ov = self.info.get(key), other.info.get(key)
if sv is None:
logging.debug('%r missing in self.info', key)
return False
elif ov is None:
logging.debug('%r missing in other.info', key)
return False
elif sv != ov:
logging.debug('info %r differs (self=%r, other=%r)', key,
sv, ov)
return False
for key in set(chain(self.styles.keys(), other.styles.keys())):
sv, ov = self.styles.get(key), other.styles.get(key)
if sv is None:
logging.debug('%r missing in self.styles', key)
return False
elif ov is None:
logging.debug('%r missing in other.styles', key)
return False
elif sv != ov:
for k in sv.FIELDS:
if getattr(sv, k) != getattr(ov, k):
logging.debug('difference in field %r', k)
logging.debug('style %r differs (self=%r, other=%r)', key,
sv.as_dict(), ov.as_dict())
return False
if len(self) != len(other):
logging.debug('different # of subtitles (self=%d, other=%d)',
len(self), len(other))
return False
for i, (se, oe) in enumerate(zip(self.events, other.events)):
if not se.equals(oe):
for k in se.FIELDS:
if getattr(se, k) != getattr(oe, k):
logging.debug('difference in field %r', k)
logging.debug('event %d differs (self=%r, other=%r)', i, se
.as_dict(), oe.as_dict())
return False
return True
else:
raise TypeError('Cannot compare to non-SSAFile object')
| equals | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n if isinstance(other, SSAFile):\n for key in (set(chain(self.info.keys(), other.info.keys())) - {\n 'ScriptType'}):\n sv, ov = self.info.get(key), other.info.get(key)\n if sv is None:\n logging.debug('%r missing in self.info', key)\n return False\n elif ov is None:\n logging.debug('%r missing in other.info', key)\n return False\n elif sv != ov:\n logging.debug('info %r differs (self=%r, other=%r)', key,\n sv, ov)\n return False\n for key in set(chain(self.styles.keys(), other.styles.keys())):\n sv, ov = self.styles.get(key), other.styles.get(key)\n if sv is None:\n logging.debug('%r missing in self.styles', key)\n return False\n elif ov is None:\n logging.debug('%r missing in other.styles', key)\n return False\n elif sv != ov:\n for k in sv.FIELDS:\n if getattr(sv, k) != getattr(ov, k):\n logging.debug('difference in field %r', k)\n logging.debug('style %r differs (self=%r, other=%r)', key,\n sv.as_dict(), ov.as_dict())\n return False\n if len(self) != len(other):\n logging.debug('different # of subtitles (self=%d, other=%d)',\n len(self), len(other))\n return False\n for i, (se, oe) in enumerate(zip(self.events, other.events)):\n if not se.equals(oe):\n for k in se.FIELDS:\n if getattr(se, k) != getattr(oe, k):\n logging.debug('difference in field %r', k)\n logging.debug('event %d differs (self=%r, other=%r)', i, se\n .as_dict(), oe.as_dict())\n return False\n return True\n else:\n raise TypeError('Cannot compare to non-SSAFile object')\n",
"role": "user"
},
{
"content": "equals",
"role": "assistant"
}
] |
def x(format_):
if format_ not in FORMAT_IDENTIFIER_TO_FORMAT_CLASS:
raise UnknownFormatIdentifierError(format_)
for ext, f in FILE_EXTENSION_TO_FORMAT_IDENTIFIER.items():
if f == format_:
return ext
raise RuntimeError('No file extension for format %r' % format_)
| get_file_extension | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(format_):\n if format_ not in FORMAT_IDENTIFIER_TO_FORMAT_CLASS:\n raise UnknownFormatIdentifierError(format_)\n for ext, f in FILE_EXTENSION_TO_FORMAT_IDENTIFIER.items():\n if f == format_:\n return ext\n raise RuntimeError('No file extension for format %r' % format_)\n",
"role": "user"
},
{
"content": "get_file_extension",
"role": "assistant"
}
] |
def x(content):
formats = set()
for impl in FORMAT_IDENTIFIER_TO_FORMAT_CLASS.values():
guess = impl.guess_format(content)
if guess is not None:
formats.add(guess)
if len(formats) == 1:
return formats.pop()
elif not formats:
raise FormatAutodetectionError('No suitable formats')
else:
raise FormatAutodetectionError('Multiple suitable formats (%r)' %
formats)
| autodetect_format | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(content):\n formats = set()\n for impl in FORMAT_IDENTIFIER_TO_FORMAT_CLASS.values():\n guess = impl.guess_format(content)\n if guess is not None:\n formats.add(guess)\n if len(formats) == 1:\n return formats.pop()\n elif not formats:\n raise FormatAutodetectionError('No suitable formats')\n else:\n raise FormatAutodetectionError('Multiple suitable formats (%r)' %\n formats)\n",
"role": "user"
},
{
"content": "autodetect_format",
"role": "assistant"
}
] |
def x(app, config: Config):
app._debug = True
dft_logger.debug('livereload enabled: %s', '✓' if config.livereload else
'✖')
def x(request):
if config.infer_host:
return request.headers.get('host', 'localhost').split(':', 1)[0]
else:
return config.host
if config.livereload:
async def on_prepare(request, response):
if not request.path.startswith('/_debugtoolbar'
) and 'text/html' in response.content_type and getattr(response
, 'body', False):
lr_snippet = LIVE_RELOAD_HOST_SNIPPET.format(get_host(
request), config.aux_port)
dft_logger.debug('appending live reload snippet "%s" to body',
lr_snippet)
response.body += lr_snippet.encode()
app.on_response_prepare.append(on_prepare)
static_path = config.static_url.strip('/')
if config.infer_host and config.static_path is not None:
@web.middleware
async def static_middleware(request, handler):
static_url = 'http://{}:{}/{}'.format(get_host(request), config
.aux_port, static_path)
dft_logger.debug('settings app static_root_url to "%s"', static_url
)
request.app['static_root_url'].change(static_url)
return await handler(request)
app.middlewares.insert(0, static_middleware)
if config.static_path is not None:
static_url = 'http://{}:{}/{}'.format(config.host, config.aux_port,
static_path)
dft_logger.debug('settings app static_root_url to "%s"', static_url)
app['static_root_url'] = MutableValue(static_url)
if config.debug_toolbar and aiohttp_debugtoolbar:
aiohttp_debugtoolbar.setup(app, intercept_redirects=False)
| modify_main_app | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app, config: Config):\n app._debug = True\n dft_logger.debug('livereload enabled: %s', '✓' if config.livereload else\n '✖')\n\n def x(request):\n if config.infer_host:\n return request.headers.get('host', 'localhost').split(':', 1)[0]\n else:\n return config.host\n if config.livereload:\n\n async def on_prepare(request, response):\n if not request.path.startswith('/_debugtoolbar'\n ) and 'text/html' in response.content_type and getattr(response\n , 'body', False):\n lr_snippet = LIVE_RELOAD_HOST_SNIPPET.format(get_host(\n request), config.aux_port)\n dft_logger.debug('appending live reload snippet \"%s\" to body',\n lr_snippet)\n response.body += lr_snippet.encode()\n app.on_response_prepare.append(on_prepare)\n static_path = config.static_url.strip('/')\n if config.infer_host and config.static_path is not None:\n\n @web.middleware\n async def static_middleware(request, handler):\n static_url = 'http://{}:{}/{}'.format(get_host(request), config\n .aux_port, static_path)\n dft_logger.debug('settings app static_root_url to \"%s\"', static_url\n )\n request.app['static_root_url'].change(static_url)\n return await handler(request)\n app.middlewares.insert(0, static_middleware)\n if config.static_path is not None:\n static_url = 'http://{}:{}/{}'.format(config.host, config.aux_port,\n static_path)\n dft_logger.debug('settings app static_root_url to \"%s\"', static_url)\n app['static_root_url'] = MutableValue(static_url)\n if config.debug_toolbar and aiohttp_debugtoolbar:\n aiohttp_debugtoolbar.setup(app, intercept_redirects=False)\n",
"role": "user"
},
{
"content": "modify_main_app",
"role": "assistant"
}
] |
async def src_reload(app, path: str=None):
"""
prompt each connected browser to reload by sending websocket message.
:param path: if supplied this must be a path relative to app['static_path'],
eg. reload of a single file is only supported for static resources.
:return: number of sources reloaded
"""
cli_count = len(app[WS])
if cli_count == 0:
return 0
is_html = None
if path:
path = str(Path(app['static_url']) / Path(path).relative_to(app[
'static_path']))
is_html = mimetypes.guess_type(path)[0] == 'text/html'
reloads = 0
aux_logger.debug('prompting source reload for %d clients', cli_count)
for ws, url in app[WS]:
if path and is_html and path not in {url, url + '.html', url.rstrip
('/') + '/index.html'}:
aux_logger.debug('skipping reload for client at %s', url)
continue
aux_logger.debug('reload client at %s', url)
data = {'command': 'reload', 'path': path or url, 'liveCSS': True,
'liveImg': True}
try:
await ws.send_str(json.dumps(data))
except RuntimeError as e:
aux_logger.error(
'Error broadcasting change to %s, RuntimeError: %s', path or
url, e)
else:
reloads += 1
if reloads:
s = '' if reloads == 1 else 's'
aux_logger.info('prompted reload of %s on %d client%s', path or
'page', reloads, s)
return reloads
| src_reload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def src_reload(app, path: str=None):\n \"\"\"\n prompt each connected browser to reload by sending websocket message.\n\n :param path: if supplied this must be a path relative to app['static_path'],\n eg. reload of a single file is only supported for static resources.\n :return: number of sources reloaded\n \"\"\"\n cli_count = len(app[WS])\n if cli_count == 0:\n return 0\n is_html = None\n if path:\n path = str(Path(app['static_url']) / Path(path).relative_to(app[\n 'static_path']))\n is_html = mimetypes.guess_type(path)[0] == 'text/html'\n reloads = 0\n aux_logger.debug('prompting source reload for %d clients', cli_count)\n for ws, url in app[WS]:\n if path and is_html and path not in {url, url + '.html', url.rstrip\n ('/') + '/index.html'}:\n aux_logger.debug('skipping reload for client at %s', url)\n continue\n aux_logger.debug('reload client at %s', url)\n data = {'command': 'reload', 'path': path or url, 'liveCSS': True,\n 'liveImg': True}\n try:\n await ws.send_str(json.dumps(data))\n except RuntimeError as e:\n aux_logger.error(\n 'Error broadcasting change to %s, RuntimeError: %s', path or\n url, e)\n else:\n reloads += 1\n if reloads:\n s = '' if reloads == 1 else 's'\n aux_logger.info('prompted reload of %s on %d client%s', path or\n 'page', reloads, s)\n return reloads\n",
"role": "user"
},
{
"content": "src_reload",
"role": "assistant"
}
] |
def x(self, request):
filename = URL.build(path=request.match_info['filename'], encoded=True
).path
raw_path = self._directory.joinpath(filename)
try:
filepath = raw_path.resolve()
if not filepath.exists():
raise FileNotFoundError()
except FileNotFoundError:
try:
html_file = raw_path.with_name(raw_path.name + '.html').resolve(
).relative_to(self._directory)
except (FileNotFoundError, ValueError):
pass
else:
request.match_info['filename'] = str(html_file)
else:
if filepath.is_dir():
index_file = filepath / 'index.html'
if index_file.exists():
try:
request.match_info['filename'] = str(index_file.
relative_to(self._directory))
except ValueError:
pass
| modify_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n filename = URL.build(path=request.match_info['filename'], encoded=True\n ).path\n raw_path = self._directory.joinpath(filename)\n try:\n filepath = raw_path.resolve()\n if not filepath.exists():\n raise FileNotFoundError()\n except FileNotFoundError:\n try:\n html_file = raw_path.with_name(raw_path.name + '.html').resolve(\n ).relative_to(self._directory)\n except (FileNotFoundError, ValueError):\n pass\n else:\n request.match_info['filename'] = str(html_file)\n else:\n if filepath.is_dir():\n index_file = filepath / 'index.html'\n if index_file.exists():\n try:\n request.match_info['filename'] = str(index_file.\n relative_to(self._directory))\n except ValueError:\n pass\n",
"role": "user"
},
{
"content": "modify_request",
"role": "assistant"
}
] |
def x(self):
for attr_name in dir(self):
if attr_name.startswith('_') or attr_name.upper() != attr_name:
continue
orig_value = getattr(self, attr_name)
is_required = isinstance(orig_value, Required)
orig_type = orig_value.v_type if is_required else type(orig_value)
env_var_name = self._ENV_PREFIX + attr_name
env_var = os.getenv(env_var_name, None)
if env_var is not None:
if issubclass(orig_type, bool):
env_var = env_var.upper() in ('1', 'TRUE')
elif issubclass(orig_type, int):
env_var = int(env_var)
elif issubclass(orig_type, Path):
env_var = Path(env_var)
elif issubclass(orig_type, bytes):
env_var = env_var.encode()
setattr(self, attr_name, env_var)
elif is_required and attr_name not in self._custom_settings:
raise RuntimeError(
'The required environment variable "{0}" is currently not set, you\'ll need to run `source activate.settings.sh` or you can set that single environment variable with `export {0}="<value>"`'
.format(env_var_name))
| substitute_environ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for attr_name in dir(self):\n if attr_name.startswith('_') or attr_name.upper() != attr_name:\n continue\n orig_value = getattr(self, attr_name)\n is_required = isinstance(orig_value, Required)\n orig_type = orig_value.v_type if is_required else type(orig_value)\n env_var_name = self._ENV_PREFIX + attr_name\n env_var = os.getenv(env_var_name, None)\n if env_var is not None:\n if issubclass(orig_type, bool):\n env_var = env_var.upper() in ('1', 'TRUE')\n elif issubclass(orig_type, int):\n env_var = int(env_var)\n elif issubclass(orig_type, Path):\n env_var = Path(env_var)\n elif issubclass(orig_type, bytes):\n env_var = env_var.encode()\n setattr(self, attr_name, env_var)\n elif is_required and attr_name not in self._custom_settings:\n raise RuntimeError(\n 'The required environment variable \"{0}\" is currently not set, you\\'ll need to run `source activate.settings.sh` or you can set that single environment variable with `export {0}=\"<value>\"`'\n .format(env_var_name))\n",
"role": "user"
},
{
"content": "substitute_environ",
"role": "assistant"
}
] |
def x(delete_existing: bool) ->bool:
settings = Settings()
conn = psycopg2.connect(password=settings.DB_PASSWORD, host=settings.
DB_HOST, port=settings.DB_PORT, user=settings.DB_USER)
conn.autocommit = True
cur = conn.cursor()
db_name = settings.DB_NAME
cur.execute(
'SELECT EXISTS (SELECT datname FROM pg_catalog.pg_database WHERE datname=%s)'
, (db_name,))
already_exists = bool(cur.fetchone()[0])
if already_exists:
if not delete_existing:
print('database "{}" already exists, skipping'.format(db_name))
return False
else:
print('dropping database "{}" as it already exists...'.format(
db_name))
cur.execute('DROP DATABASE {}'.format(db_name))
else:
print('database "{}" does not yet exist'.format(db_name))
print('creating database "{}"...'.format(db_name))
cur.execute('CREATE DATABASE {}'.format(db_name))
cur.close()
conn.close()
engine = create_engine(pg_dsn(settings))
print('creating tables from model definition...')
Base.metadata.create_all(engine)
engine.dispose()
return True
| prepare_database | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(delete_existing: bool) ->bool:\n settings = Settings()\n conn = psycopg2.connect(password=settings.DB_PASSWORD, host=settings.\n DB_HOST, port=settings.DB_PORT, user=settings.DB_USER)\n conn.autocommit = True\n cur = conn.cursor()\n db_name = settings.DB_NAME\n cur.execute(\n 'SELECT EXISTS (SELECT datname FROM pg_catalog.pg_database WHERE datname=%s)'\n , (db_name,))\n already_exists = bool(cur.fetchone()[0])\n if already_exists:\n if not delete_existing:\n print('database \"{}\" already exists, skipping'.format(db_name))\n return False\n else:\n print('dropping database \"{}\" as it already exists...'.format(\n db_name))\n cur.execute('DROP DATABASE {}'.format(db_name))\n else:\n print('database \"{}\" does not yet exist'.format(db_name))\n print('creating database \"{}\"...'.format(db_name))\n cur.execute('CREATE DATABASE {}'.format(db_name))\n cur.close()\n conn.close()\n engine = create_engine(pg_dsn(settings))\n print('creating tables from model definition...')\n Base.metadata.create_all(engine)\n engine.dispose()\n return True\n",
"role": "user"
},
{
"content": "prepare_database",
"role": "assistant"
}
] |
async def index(request):
"""
This is the view handler for the "/" url.
**Note: returning html without a template engine like jinja2 is ugly, no way around that.**
:param request: the request object see http://aiohttp.readthedocs.io/en/stable/web_reference.html#request
:return: aiohttp.web.Response object
"""
message_url = request.app.router['messages'].url_for()
ctx = dict(title=request.app['name'], styles_css_url=request.app[
'static_root_url'] + '/styles.css', content=
""" <p>Success! you've setup a basic aiohttp app.</p>
<p>To demonstrate a little of the functionality of aiohttp this app implements a very simple message board.</p>
<b>
<a href="{message_url}">View and add messages</a>
</b>"""
.format(message_url=message_url))
ctx = dict(title=request.app['name'], styles_css_url=request.app[
'static_root_url'] + '/styles.css', content=
"<p>Success! you've setup a basic aiohttp app.</p>")
return web.Response(text=BASE_PAGE.format(**ctx), content_type='text/html')
| index | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def index(request):\n \"\"\"\n This is the view handler for the \"/\" url.\n\n **Note: returning html without a template engine like jinja2 is ugly, no way around that.**\n\n :param request: the request object see http://aiohttp.readthedocs.io/en/stable/web_reference.html#request\n :return: aiohttp.web.Response object\n \"\"\"\n message_url = request.app.router['messages'].url_for()\n ctx = dict(title=request.app['name'], styles_css_url=request.app[\n 'static_root_url'] + '/styles.css', content=\n \"\"\" <p>Success! you've setup a basic aiohttp app.</p>\n <p>To demonstrate a little of the functionality of aiohttp this app implements a very simple message board.</p>\n <b>\n <a href=\"{message_url}\">View and add messages</a>\n </b>\"\"\"\n .format(message_url=message_url))\n ctx = dict(title=request.app['name'], styles_css_url=request.app[\n 'static_root_url'] + '/styles.css', content=\n \"<p>Success! you've setup a basic aiohttp app.</p>\")\n return web.Response(text=BASE_PAGE.format(**ctx), content_type='text/html')\n",
"role": "user"
},
{
"content": "index",
"role": "assistant"
}
] |
async def message_data(request):
"""
As an example of aiohttp providing a non-html response, we load the actual messages for the "messages" view above
via ajax using this endpoint to get data. see static/message_display.js for details of rendering.
"""
messages = []
if request.app['settings'].MESSAGE_FILE.exists():
with request.app['settings'].MESSAGE_FILE.open() as msg_file:
for line in msg_file:
if not line:
continue
username, ts, message = line.split('|', 2)
ts = '{:%Y-%m-%d %H:%M:%S}'.format(datetime.strptime(ts,
'%Y-%m-%dT%H:%M:%S.%f'))
messages.append({'username': username, 'timestamp': ts,
'message': message})
messages.reverse()
async with request.app['pg_engine'].acquire() as conn:
async for row in conn.execute(sa_messages.select().order_by(
sa_messages.c.timestamp.desc())):
ts = '{:%Y-%m-%d %H:%M:%S}'.format(row.timestamp)
messages.append({'username': row.username, 'timestamp': ts,
'message': row.message})
return json_response(messages)
| message_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def message_data(request):\n \"\"\"\n As an example of aiohttp providing a non-html response, we load the actual messages for the \"messages\" view above\n via ajax using this endpoint to get data. see static/message_display.js for details of rendering.\n \"\"\"\n messages = []\n if request.app['settings'].MESSAGE_FILE.exists():\n with request.app['settings'].MESSAGE_FILE.open() as msg_file:\n for line in msg_file:\n if not line:\n continue\n username, ts, message = line.split('|', 2)\n ts = '{:%Y-%m-%d %H:%M:%S}'.format(datetime.strptime(ts,\n '%Y-%m-%dT%H:%M:%S.%f'))\n messages.append({'username': username, 'timestamp': ts,\n 'message': message})\n messages.reverse()\n async with request.app['pg_engine'].acquire() as conn:\n async for row in conn.execute(sa_messages.select().order_by(\n sa_messages.c.timestamp.desc())):\n ts = '{:%Y-%m-%d %H:%M:%S}'.format(row.timestamp)\n messages.append({'username': row.username, 'timestamp': ts,\n 'message': row.message})\n return json_response(messages)\n",
"role": "user"
},
{
"content": "message_data",
"role": "assistant"
}
] |
def x(settings: Settings) ->str:
return str(URL(database=settings.DB_NAME, password=settings.DB_PASSWORD,
host=settings.DB_HOST, port=settings.DB_PORT, username=settings.
DB_USER, drivername='postgres'))
| pg_dsn | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(settings: Settings) ->str:\n return str(URL(database=settings.DB_NAME, password=settings.DB_PASSWORD,\n host=settings.DB_HOST, port=settings.DB_PORT, username=settings.\n DB_USER, drivername='postgres'))\n",
"role": "user"
},
{
"content": "pg_dsn",
"role": "assistant"
}
] |
def x(path, livereload, port, verbose):
setup_logging(verbose)
run_app(*serve_static(static_path=path, livereload=livereload, port=port))
| serve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, livereload, port, verbose):\n setup_logging(verbose)\n run_app(*serve_static(static_path=path, livereload=livereload, port=port))\n",
"role": "user"
},
{
"content": "serve",
"role": "assistant"
}
] |
def x(**config):
active_config = {k: v for k, v in config.items() if v is not None}
setup_logging(config['verbose'])
try:
run_app(*_runserver(**active_config))
except AiohttpDevException as e:
if config['verbose']:
tb = click.style(traceback.format_exc().strip('\n'), fg='white',
dim=True)
main_logger.warning('AiohttpDevException traceback:\n%s', tb)
main_logger.error('Error: %s', e)
sys.exit(2)
| runserver | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**config):\n active_config = {k: v for k, v in config.items() if v is not None}\n setup_logging(config['verbose'])\n try:\n run_app(*_runserver(**active_config))\n except AiohttpDevException as e:\n if config['verbose']:\n tb = click.style(traceback.format_exc().strip('\\n'), fg='white',\n dim=True)\n main_logger.warning('AiohttpDevException traceback:\\n%s', tb)\n main_logger.error('Error: %s', e)\n sys.exit(2)\n",
"role": "user"
},
{
"content": "runserver",
"role": "assistant"
}
] |
def x(*, path, name, verbose, **kwargs):
setup_logging(verbose)
try:
check_dir_clean(Path(path))
if name is None:
name = Path(path).name
for kwarg_name, choice_enum in DECISIONS:
docs = dedent(choice_enum.__doc__).split('\n')
title, *help_text = filter(bool, docs)
click.secho('\n' + title, fg='green')
if kwargs[kwarg_name] is None:
click.secho('\n'.join(help_text), dim=True)
choices = _display_enum_choices(choice_enum)
kwargs[kwarg_name] = click.prompt('choose which {} to use {}'
.format(kwarg_name, choices), type=EnumChoice(
choice_enum), show_default=False, default=enum_default(
choice_enum))
click.echo('using: {}'.format(click.style(kwargs[kwarg_name],
bold=True)))
continue
StartProject(path=path, name=name, **kwargs)
except AiohttpDevException as e:
main_logger.error('Error: %s', e)
sys.exit(2)
| start | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*, path, name, verbose, **kwargs):\n setup_logging(verbose)\n try:\n check_dir_clean(Path(path))\n if name is None:\n name = Path(path).name\n for kwarg_name, choice_enum in DECISIONS:\n docs = dedent(choice_enum.__doc__).split('\\n')\n title, *help_text = filter(bool, docs)\n click.secho('\\n' + title, fg='green')\n if kwargs[kwarg_name] is None:\n click.secho('\\n'.join(help_text), dim=True)\n choices = _display_enum_choices(choice_enum)\n kwargs[kwarg_name] = click.prompt('choose which {} to use {}'\n .format(kwarg_name, choices), type=EnumChoice(\n choice_enum), show_default=False, default=enum_default(\n choice_enum))\n click.echo('using: {}'.format(click.style(kwargs[kwarg_name],\n bold=True)))\n continue\n StartProject(path=path, name=name, **kwargs)\n except AiohttpDevException as e:\n main_logger.error('Error: %s', e)\n sys.exit(2)\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.