source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(objet, pattern): return bool(re.search(pattern, str(objet), flags=re.I)) if objet else False
in_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(objet, pattern):\n return bool(re.search(pattern, str(objet), flags=re.I)) if objet else False\n", "role": "user" }, { "content": "in_string", "role": "assistant" } ]
def x(objet, pattern): if objet: pattern = re.sub(' ', '', pattern) objet_str = abstractRender.date(objet) return bool(re.search(pattern, objet_str)) return False
in_date
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(objet, pattern):\n if objet:\n pattern = re.sub(' ', '', pattern)\n objet_str = abstractRender.date(objet)\n return bool(re.search(pattern, objet_str))\n return False\n", "role": "user" }, { "content": "in_date", "role": "assistant" } ]
def x(objet, pattern): if objet: pattern = re.sub(' ', '', pattern) objet_str = abstractRender.dateheure(objet) return bool(re.search(pattern, objet_str)) return False
in_dateheure
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(objet, pattern):\n if objet:\n pattern = re.sub(' ', '', pattern)\n objet_str = abstractRender.dateheure(objet)\n return bool(re.search(pattern, objet_str))\n return False\n", "role": "user" }, { "content": "in_dateheure", "role": "assistant" } ]
def x(objet, pattern): objet = objet or [] if pattern == '' or not objet: return False return max(bool(re.search(pattern, t)) for t in objet)
in_telephones
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(objet, pattern):\n objet = objet or []\n if pattern == '' or not objet:\n return False\n return max(bool(re.search(pattern, t)) for t in objet)\n", "role": "user" }, { "content": "in_telephones", "role": "assistant" } ]
def x(objet): if objet: return '{}/{}/{}'.format(objet.day, objet.month, objet.year) return ''
date
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(objet):\n if objet:\n return '{}/{}/{}'.format(objet.day, objet.month, objet.year)\n return ''\n", "role": "user" }, { "content": "date", "role": "assistant" } ]
def x(objet): if objet: return '{}/{}/{} à {:02}:{:02}'.format(objet.day, objet.month, objet.year, objet.hour, objet.minute) return ''
dateheure
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(objet):\n if objet:\n return '{}/{}/{} à {:02}:{:02}'.format(objet.day, objet.month,\n objet.year, objet.hour, objet.minute)\n return ''\n", "role": "user" }, { "content": "dateheure", "role": "assistant" } ]
def x(domain, lazy=False): if lazy: def x(msg): return Message(msg, domain=domain) from six import moves moves.builtins.__dict__['_'] = _lazy_gettext else: localedir = '%s_LOCALEDIR' % domain.upper() if six.PY3: gettext.install(domain, localedir=os.environ.get(localedir)) else: gettext.install(domain, localedir=os.environ.get(localedir), unicode=True)
install
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(domain, lazy=False):\n if lazy:\n\n def x(msg):\n return Message(msg, domain=domain)\n from six import moves\n moves.builtins.__dict__['_'] = _lazy_gettext\n else:\n localedir = '%s_LOCALEDIR' % domain.upper()\n if six.PY3:\n gettext.install(domain, localedir=os.environ.get(localedir))\n else:\n gettext.install(domain, localedir=os.environ.get(localedir),\n unicode=True)\n", "role": "user" }, { "content": "install", "role": "assistant" } ]
def x(domain): if domain in _AVAILABLE_LANGUAGES: return copy.copy(_AVAILABLE_LANGUAGES[domain]) localedir = '%s_LOCALEDIR' % domain.upper() find = lambda x: gettext.find(domain, localedir=os.environ.get( localedir), languages=[x]) language_list = ['en_US'] list_identifiers = getattr(localedata, 'list', None) or getattr(localedata, 'locale_identifiers') locale_identifiers = list_identifiers() for i in locale_identifiers: if find(i) is not None: language_list.append(i) aliases = {'zh': 'zh_CN', 'zh_Hant_HK': 'zh_HK', 'zh_Hant': 'zh_TW', 'fil': 'tl_PH'} for locale_, alias in six.iteritems(aliases): if locale_ in language_list and alias not in language_list: language_list.append(alias) _AVAILABLE_LANGUAGES[domain] = language_list return copy.copy(language_list)
get_available_languages
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(domain):\n if domain in _AVAILABLE_LANGUAGES:\n return copy.copy(_AVAILABLE_LANGUAGES[domain])\n localedir = '%s_LOCALEDIR' % domain.upper()\n find = lambda x: gettext.find(domain, localedir=os.environ.get(\n localedir), languages=[x])\n language_list = ['en_US']\n list_identifiers = getattr(localedata, 'list', None) or getattr(localedata,\n 'locale_identifiers')\n locale_identifiers = list_identifiers()\n for i in locale_identifiers:\n if find(i) is not None:\n language_list.append(i)\n aliases = {'zh': 'zh_CN', 'zh_Hant_HK': 'zh_HK', 'zh_Hant': 'zh_TW',\n 'fil': 'tl_PH'}\n for locale_, alias in six.iteritems(aliases):\n if locale_ in language_list and alias not in language_list:\n language_list.append(alias)\n _AVAILABLE_LANGUAGES[domain] = language_list\n return copy.copy(language_list)\n", "role": "user" }, { "content": "get_available_languages", "role": "assistant" } ]
def x(obj, desired_locale=None): message = obj if not isinstance(message, Message): message = six.text_type(obj) if isinstance(message, Message): return message.translate(desired_locale) return obj
translate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, desired_locale=None):\n message = obj\n if not isinstance(message, Message):\n message = six.text_type(obj)\n if isinstance(message, Message):\n return message.translate(desired_locale)\n return obj\n", "role": "user" }, { "content": "translate", "role": "assistant" } ]
def x(args, desired_locale=None): if isinstance(args, tuple): return tuple(translate(v, desired_locale) for v in args) if isinstance(args, dict): translated_dict = {} for k, v in six.iteritems(args): translated_v = translate(v, desired_locale) translated_dict[k] = translated_v return translated_dict return translate(args, desired_locale)
translate_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args, desired_locale=None):\n if isinstance(args, tuple):\n return tuple(translate(v, desired_locale) for v in args)\n if isinstance(args, dict):\n translated_dict = {}\n for k, v in six.iteritems(args):\n translated_v = translate(v, desired_locale)\n translated_dict[k] = translated_v\n return translated_dict\n return translate(args, desired_locale)\n", "role": "user" }, { "content": "translate_args", "role": "assistant" } ]
def x(self, desired_locale=None): translated_message = Message._translate_msgid(self.msgid, self.domain, desired_locale) if self.params is None: return translated_message translated_params = _translate_args(self.params, desired_locale) translated_message = translated_message % translated_params return translated_message
translate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, desired_locale=None):\n translated_message = Message._translate_msgid(self.msgid, self.domain,\n desired_locale)\n if self.params is None:\n return translated_message\n translated_params = _translate_args(self.params, desired_locale)\n translated_message = translated_message % translated_params\n return translated_message\n", "role": "user" }, { "content": "translate", "role": "assistant" } ]
def x(self, other): if other is None: params = other, elif isinstance(other, dict): params = self._trim_dictionary_parameters(other) else: params = self._copy_param(other) return params
sanitize_mod_params
[ { "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 other is None:\n params = other,\n elif isinstance(other, dict):\n params = self._trim_dictionary_parameters(other)\n else:\n params = self._copy_param(other)\n return params\n", "role": "user" }, { "content": "sanitize_mod_params", "role": "assistant" } ]
def x(self, dict_param): keys = re.findall('(?:[^%]|^)?%\\((\\w*)\\)[a-z]', self.msgid) if not keys and re.findall('(?:[^%]|^)%[a-z]', self.msgid): params = self._copy_param(dict_param) else: params = {} src = {} if isinstance(self.params, dict): src.update(self.params) src.update(dict_param) for key in keys: params[key] = self._copy_param(src[key]) return params
trim_dictionary_parameters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dict_param):\n keys = re.findall('(?:[^%]|^)?%\\\\((\\\\w*)\\\\)[a-z]', self.msgid)\n if not keys and re.findall('(?:[^%]|^)%[a-z]', self.msgid):\n params = self._copy_param(dict_param)\n else:\n params = {}\n src = {}\n if isinstance(self.params, dict):\n src.update(self.params)\n src.update(dict_param)\n for key in keys:\n params[key] = self._copy_param(src[key])\n return params\n", "role": "user" }, { "content": "trim_dictionary_parameters", "role": "assistant" } ]
def x(obj, request): return {'query_uri': obj.query_uri, 'success': obj.success, 'has_references': obj.has_references, 'count': obj.count, 'applications': [{'title': a.title, 'uri': a.uri, 'service_url': a. service_url, 'success': a.success, 'has_references': a. has_references, 'count': a.count, 'items': [{'uri': i.uri, 'title': i.title} for i in a.items] if a.items is not None else None} for a in obj.applications] if obj.applications is not None else None}
registry_adapter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, request):\n return {'query_uri': obj.query_uri, 'success': obj.success,\n 'has_references': obj.has_references, 'count': obj.count,\n 'applications': [{'title': a.title, 'uri': a.uri, 'service_url': a.\n service_url, 'success': a.success, 'has_references': a.\n has_references, 'count': a.count, 'items': [{'uri': i.uri, 'title':\n i.title} for i in a.items] if a.items is not None else None} for a in\n obj.applications] if obj.applications is not None else None}\n", "role": "user" }, { "content": "registry_adapter", "role": "assistant" } ]
def x(obj, request): return {'title': obj.title, 'uri': obj.uri, 'service_url': obj. service_url, 'success': obj.success, 'has_references': obj. has_references, 'count': obj.count, 'items': [{'uri': i.uri, 'title': i.title} for i in obj.items] if obj.items is not None else None}
application_adapter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, request):\n return {'title': obj.title, 'uri': obj.uri, 'service_url': obj.\n service_url, 'success': obj.success, 'has_references': obj.\n has_references, 'count': obj.count, 'items': [{'uri': i.uri,\n 'title': i.title} for i in obj.items] if obj.items is not None else\n None}\n", "role": "user" }, { "content": "application_adapter", "role": "assistant" } ]
def x(word, put_back=False): if put_back: word = word.replace('A', 'ä') word = word.replace('O', 'ö') else: word = word.replace('ä', 'A').replace('ä', 'A') word = word.replace('ö', 'O').replace('ö', 'O') return word
replace_umlauts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(word, put_back=False):\n if put_back:\n word = word.replace('A', 'ä')\n word = word.replace('O', 'ö')\n else:\n word = word.replace('ä', 'A').replace('ä', 'A')\n word = word.replace('ö', 'O').replace('ö', 'O')\n return word\n", "role": "user" }, { "content": "replace_umlauts", "role": "assistant" } ]
def x(hit, contig): query_seq = hit['query_string'] homo_seq = hit['homo_string'] sbjct_start = int(hit['sbjct_start']) sbjct_end = int(hit['sbjct_end']) query_start = int(hit['query_start']) query_end = int(hit['query_end']) length = int(hit['sbjct_length']) if sbjct_start != 1: missing = sbjct_start - 1 if query_start >= missing and hit['strand'] != 1 or hit['strand' ] == 1 and missing <= len(contig) - query_end: if hit['strand'] == 1: start_pos = query_end end_pos = query_end + missing chars = contig[start_pos:end_pos] chars = Blaster.reversecomplement(chars) else: start_pos = query_start - missing - 1 end_pos = query_start - 1 chars = contig[start_pos:end_pos] query_seq = chars + str(query_seq) elif hit['strand'] == 1: if query_end == len(contig): query_seq = '-' * missing + str(query_seq) else: start_pos = query_end chars = contig[start_pos:] chars = Blaster.reversecomplement(chars) query_seq = '-' * (missing - len(chars)) + chars + str( query_seq) elif query_start < 3: query_seq = '-' * missing + str(query_seq) else: end_pos = query_start - 2 chars = contig[0:end_pos] query_seq = '-' * (missing - len(chars)) + chars + str(query_seq) spaces = ' ' * missing homo_seq = str(spaces) + str(homo_seq) if sbjct_end < length: missing = length - sbjct_end if missing <= len(contig) - query_end and hit['strand'] != 1 or hit[ 'strand'] == 1 and query_start >= missing: if hit['strand'] == 1: start_pos = query_start - missing - 1 end_pos = query_start - 1 chars = contig[start_pos:end_pos] chars = Blaster.reversecomplement(chars) else: start_pos = query_end end_pos = query_end + missing chars = contig[start_pos:end_pos] query_seq = query_seq + chars elif hit['strand'] == 1: if query_start < 3: query_seq = query_seq + '-' * missing else: end_pos = query_start - 2 chars = contig[0:end_pos] chars = Blaster.reversecomplement(chars) query_seq = query_seq + chars + '-' * (missing - len(chars)) elif query_end == len(contig): query_seq = query_seq + '-' * missing else: start_pos = query_end chars = contig[start_pos:] query_seq = query_seq + chars + '-' * (missing - len(chars)) spaces = ' ' * int(missing) homo_seq = str(homo_seq) + str(spaces) return query_seq, homo_seq
get_query_align
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(hit, contig):\n query_seq = hit['query_string']\n homo_seq = hit['homo_string']\n sbjct_start = int(hit['sbjct_start'])\n sbjct_end = int(hit['sbjct_end'])\n query_start = int(hit['query_start'])\n query_end = int(hit['query_end'])\n length = int(hit['sbjct_length'])\n if sbjct_start != 1:\n missing = sbjct_start - 1\n if query_start >= missing and hit['strand'] != 1 or hit['strand'\n ] == 1 and missing <= len(contig) - query_end:\n if hit['strand'] == 1:\n start_pos = query_end\n end_pos = query_end + missing\n chars = contig[start_pos:end_pos]\n chars = Blaster.reversecomplement(chars)\n else:\n start_pos = query_start - missing - 1\n end_pos = query_start - 1\n chars = contig[start_pos:end_pos]\n query_seq = chars + str(query_seq)\n elif hit['strand'] == 1:\n if query_end == len(contig):\n query_seq = '-' * missing + str(query_seq)\n else:\n start_pos = query_end\n chars = contig[start_pos:]\n chars = Blaster.reversecomplement(chars)\n query_seq = '-' * (missing - len(chars)) + chars + str(\n query_seq)\n elif query_start < 3:\n query_seq = '-' * missing + str(query_seq)\n else:\n end_pos = query_start - 2\n chars = contig[0:end_pos]\n query_seq = '-' * (missing - len(chars)) + chars + str(query_seq)\n spaces = ' ' * missing\n homo_seq = str(spaces) + str(homo_seq)\n if sbjct_end < length:\n missing = length - sbjct_end\n if missing <= len(contig) - query_end and hit['strand'] != 1 or hit[\n 'strand'] == 1 and query_start >= missing:\n if hit['strand'] == 1:\n start_pos = query_start - missing - 1\n end_pos = query_start - 1\n chars = contig[start_pos:end_pos]\n chars = Blaster.reversecomplement(chars)\n else:\n start_pos = query_end\n end_pos = query_end + missing\n chars = contig[start_pos:end_pos]\n query_seq = query_seq + chars\n elif hit['strand'] == 1:\n if query_start < 3:\n query_seq = query_seq + '-' * missing\n else:\n end_pos = query_start - 2\n chars = contig[0:end_pos]\n chars = Blaster.reversecomplement(chars)\n query_seq = query_seq + chars + '-' * (missing - len(chars))\n elif query_end == len(contig):\n query_seq = query_seq + '-' * missing\n else:\n start_pos = query_end\n chars = contig[start_pos:]\n query_seq = query_seq + chars + '-' * (missing - len(chars))\n spaces = ' ' * int(missing)\n homo_seq = str(homo_seq) + str(spaces)\n return query_seq, homo_seq\n", "role": "user" }, { "content": "get_query_align", "role": "assistant" } ]
def x(self, column, direction): if direction == 0: return () if column in self.orderings: ordering = self.orderings[column] else: field = self.get_field(column) if field is None: return () ordering = column if not isinstance(ordering, (tuple, list)): ordering = [ordering] if direction == 1: return ordering return [(lookup[1:] if lookup[0] == '-' else '-' + lookup) for lookup in ordering]
get_ordering_for_column
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, column, direction):\n if direction == 0:\n return ()\n if column in self.orderings:\n ordering = self.orderings[column]\n else:\n field = self.get_field(column)\n if field is None:\n return ()\n ordering = column\n if not isinstance(ordering, (tuple, list)):\n ordering = [ordering]\n if direction == 1:\n return ordering\n return [(lookup[1:] if lookup[0] == '-' else '-' + lookup) for lookup in\n ordering]\n", "role": "user" }, { "content": "get_ordering_for_column", "role": "assistant" } ]
def x(self, object, cleanup=True): model_name = type(object).__name__ if model_name not in self.swagger_dict['definitions']: raise ValidationError('Swagger spec has no definition for model %s' % model_name) model_def = self.swagger_dict['definitions'][model_name] log.debug('Marshalling %s into json' % model_name) m = marshal_model(self.spec, model_def, object) if cleanup: self.cleanup_model(m) return m
model_to_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, object, cleanup=True):\n model_name = type(object).__name__\n if model_name not in self.swagger_dict['definitions']:\n raise ValidationError('Swagger spec has no definition for model %s' %\n model_name)\n model_def = self.swagger_dict['definitions'][model_name]\n log.debug('Marshalling %s into json' % model_name)\n m = marshal_model(self.spec, model_def, object)\n if cleanup:\n self.cleanup_model(m)\n return m\n", "role": "user" }, { "content": "model_to_json", "role": "assistant" } ]
def x(self, model_name, j): if model_name not in self.swagger_dict['definitions']: raise ValidationError('Swagger spec has no definition for model %s' % model_name) model_def = self.swagger_dict['definitions'][model_name] log.debug('Unmarshalling json into %s' % model_name) return unmarshal_model(self.spec, model_def, j)
json_to_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, model_name, j):\n if model_name not in self.swagger_dict['definitions']:\n raise ValidationError('Swagger spec has no definition for model %s' %\n model_name)\n model_def = self.swagger_dict['definitions'][model_name]\n log.debug('Unmarshalling json into %s' % model_name)\n return unmarshal_model(self.spec, model_def, j)\n", "role": "user" }, { "content": "json_to_model", "role": "assistant" } ]
def x(self, model_name, object): if model_name not in self.swagger_dict['definitions']: raise ValidationError('Swagger spec has no definition for model %s' % model_name) model_def = self.swagger_dict['definitions'][model_name] log.debug('Validating %s' % model_name) return validate_schema_object(self.spec, model_def, object)
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, model_name, object):\n if model_name not in self.swagger_dict['definitions']:\n raise ValidationError('Swagger spec has no definition for model %s' %\n model_name)\n model_def = self.swagger_dict['definitions'][model_name]\n log.debug('Validating %s' % model_name)\n return validate_schema_object(self.spec, model_def, object)\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(self, callback): if 'paths' not in self.swagger_dict: return for path, d in list(self.swagger_dict['paths'].items()): for method, op_spec in list(d.items()): data = EndpointData(path, method) if 'x-bind-server' not in op_spec: if 'x-no-bind-server' in op_spec: log.info('Skipping generation of %s %s' % (method, path)) continue else: raise Exception( 'Swagger api defines no x-bind-server for %s %s' % (method, path)) data.handler_server = op_spec['x-bind-server'] if 'produces' not in op_spec: raise Exception( "Swagger api has no 'produces' section for %s %s" % ( method, path)) if len(op_spec['produces']) != 1: raise Exception( "Expecting only one type under 'produces' for %s %s" % (method, path)) if op_spec['produces'][0] == 'application/json': data.produces_json = True elif op_spec['produces'][0] == 'text/html': data.produces_html = True else: raise Exception( "Only 'application/json' or 'text/html' are supported. See %s %s" % (method, path)) if 'x-bind-client' in op_spec: data.handler_client = op_spec['x-bind-client'] if 'x-decorate-server' in op_spec: data.decorate_server = op_spec['x-decorate-server'] if 'x-decorate-request' in op_spec: data.decorate_request = op_spec['x-decorate-request'] data.operation = Operation.from_spec(self.spec, path, method, op_spec) if 'parameters' in op_spec: params = op_spec['parameters'] for p in params: if p['in'] == 'body': data.param_in_body = True if p['in'] == 'query': data.param_in_query = True if p['in'] == 'path': data.param_in_path = True if data.param_in_path: data.path = data.path.replace('{', '<').replace('}', '>') if data.param_in_body and data.param_in_query: raise Exception( 'Cannot support params in both body and param (%s %s)' % (method, path)) else: data.no_params = True callback(data)
call_on_each_endpoint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, callback):\n if 'paths' not in self.swagger_dict:\n return\n for path, d in list(self.swagger_dict['paths'].items()):\n for method, op_spec in list(d.items()):\n data = EndpointData(path, method)\n if 'x-bind-server' not in op_spec:\n if 'x-no-bind-server' in op_spec:\n log.info('Skipping generation of %s %s' % (method, path))\n continue\n else:\n raise Exception(\n 'Swagger api defines no x-bind-server for %s %s' %\n (method, path))\n data.handler_server = op_spec['x-bind-server']\n if 'produces' not in op_spec:\n raise Exception(\n \"Swagger api has no 'produces' section for %s %s\" % (\n method, path))\n if len(op_spec['produces']) != 1:\n raise Exception(\n \"Expecting only one type under 'produces' for %s %s\" %\n (method, path))\n if op_spec['produces'][0] == 'application/json':\n data.produces_json = True\n elif op_spec['produces'][0] == 'text/html':\n data.produces_html = True\n else:\n raise Exception(\n \"Only 'application/json' or 'text/html' are supported. See %s %s\"\n % (method, path))\n if 'x-bind-client' in op_spec:\n data.handler_client = op_spec['x-bind-client']\n if 'x-decorate-server' in op_spec:\n data.decorate_server = op_spec['x-decorate-server']\n if 'x-decorate-request' in op_spec:\n data.decorate_request = op_spec['x-decorate-request']\n data.operation = Operation.from_spec(self.spec, path, method,\n op_spec)\n if 'parameters' in op_spec:\n params = op_spec['parameters']\n for p in params:\n if p['in'] == 'body':\n data.param_in_body = True\n if p['in'] == 'query':\n data.param_in_query = True\n if p['in'] == 'path':\n data.param_in_path = True\n if data.param_in_path:\n data.path = data.path.replace('{', '<').replace('}', '>')\n if data.param_in_body and data.param_in_query:\n raise Exception(\n 'Cannot support params in both body and param (%s %s)'\n % (method, path))\n else:\n data.no_params = True\n callback(data)\n", "role": "user" }, { "content": "call_on_each_endpoint", "role": "assistant" } ]
def x(args=None): parser = argparse.ArgumentParser(description=main.__doc__) parser.add_argument('--binary', dest='mode', action='store_const', const='wb', default='w', help='write in binary mode') parser.add_argument('output', metavar='FILE', type=unicode, help= 'Output file') logging.basicConfig(level=logging.DEBUG, stream=sys.stderr, format= '[%(levelname)s elapsed=%(relativeCreated)dms] %(message)s') args = parser.parse_args(args or sys.argv[1:]) with open(args.output, args.mode) as fd: for line in sys.stdin: fd.write(line)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args=None):\n parser = argparse.ArgumentParser(description=main.__doc__)\n parser.add_argument('--binary', dest='mode', action='store_const',\n const='wb', default='w', help='write in binary mode')\n parser.add_argument('output', metavar='FILE', type=unicode, help=\n 'Output file')\n logging.basicConfig(level=logging.DEBUG, stream=sys.stderr, format=\n '[%(levelname)s elapsed=%(relativeCreated)dms] %(message)s')\n args = parser.parse_args(args or sys.argv[1:])\n with open(args.output, args.mode) as fd:\n for line in sys.stdin:\n fd.write(line)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(layout, keyboard_prefix='KEY_', led_prefix='LED_', sysctrl_prefix= 'SYS_', cons_prefix='CONS_', code_suffix=True, all_caps=True, space_char='_'): keyboard_defines = [] for code, name in layout.json()['to_hid_keyboard'].items(): new_name = '{}{}'.format(keyboard_prefix, name.replace(' ', space_char) ) if all_caps: new_name = new_name.upper() if code_suffix: new_name = '{}_{}'.format(new_name, int(code, 0)) define = new_name, code keyboard_defines.append(define) led_defines = [] for code, name in layout.json()['to_hid_led'].items(): new_name = '{}{}'.format(led_prefix, name.replace(' ', space_char)) if all_caps: new_name = new_name.upper() if code_suffix: new_name = '{}_{}'.format(new_name, int(code, 0)) define = new_name, code led_defines.append(define) sysctrl_defines = [] for code, name in layout.json()['to_hid_sysctrl'].items(): new_name = '{}{}'.format(sysctrl_prefix, name.replace(' ', space_char)) if all_caps: new_name = new_name.upper() if code_suffix: new_name = '{}_{}'.format(new_name, int(code, 0)) define = new_name, code sysctrl_defines.append(define) cons_defines = [] for code, name in layout.json()['to_hid_consumer'].items(): new_name = '{}{}'.format(cons_prefix, name.replace(' ', space_char)) if all_caps: new_name = new_name.upper() if code_suffix: new_name = '{}_{}'.format(new_name, int(code, 0)) define = new_name, code cons_defines.append(define) defines = [keyboard_defines, led_defines, sysctrl_defines, cons_defines] return defines
basic_c_defines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(layout, keyboard_prefix='KEY_', led_prefix='LED_', sysctrl_prefix=\n 'SYS_', cons_prefix='CONS_', code_suffix=True, all_caps=True,\n space_char='_'):\n keyboard_defines = []\n for code, name in layout.json()['to_hid_keyboard'].items():\n new_name = '{}{}'.format(keyboard_prefix, name.replace(' ', space_char)\n )\n if all_caps:\n new_name = new_name.upper()\n if code_suffix:\n new_name = '{}_{}'.format(new_name, int(code, 0))\n define = new_name, code\n keyboard_defines.append(define)\n led_defines = []\n for code, name in layout.json()['to_hid_led'].items():\n new_name = '{}{}'.format(led_prefix, name.replace(' ', space_char))\n if all_caps:\n new_name = new_name.upper()\n if code_suffix:\n new_name = '{}_{}'.format(new_name, int(code, 0))\n define = new_name, code\n led_defines.append(define)\n sysctrl_defines = []\n for code, name in layout.json()['to_hid_sysctrl'].items():\n new_name = '{}{}'.format(sysctrl_prefix, name.replace(' ', space_char))\n if all_caps:\n new_name = new_name.upper()\n if code_suffix:\n new_name = '{}_{}'.format(new_name, int(code, 0))\n define = new_name, code\n sysctrl_defines.append(define)\n cons_defines = []\n for code, name in layout.json()['to_hid_consumer'].items():\n new_name = '{}{}'.format(cons_prefix, name.replace(' ', space_char))\n if all_caps:\n new_name = new_name.upper()\n if code_suffix:\n new_name = '{}_{}'.format(new_name, int(code, 0))\n define = new_name, code\n cons_defines.append(define)\n defines = [keyboard_defines, led_defines, sysctrl_defines, cons_defines]\n return defines\n", "role": "user" }, { "content": "basic_c_defines", "role": "assistant" } ]
def x(self, name, email_content, from_email, from_name, reply_to_email, subject, text_content, address, is_view_as_webpage_enabled=False, view_as_web_page_link_text='', view_as_web_page_text='', is_permission_reminder_enabled=False, permission_reminder_text=''): url = self.api.join(self.EMAIL_MARKETING_CAMPAIGN_URL) inlined_email_content = self.inline_css(email_content) minified_email_content = html_minify(inlined_email_content) worked_around_email_content = work_around(minified_email_content) data = {'name': name, 'subject': subject, 'from_name': from_name, 'from_email': from_email, 'reply_to_email': reply_to_email, 'email_content': worked_around_email_content, 'email_content_format': 'HTML', 'text_content': text_content, 'message_footer': {'organization_name': address['organization_name' ], 'address_line_1': address['address_line_1'], 'address_line_2': address['address_line_2'], 'address_line_3': address[ 'address_line_3'], 'city': address['city'], 'state': address[ 'state'], 'international_state': address['international_state'], 'postal_code': address['postal_code'], 'country': address['country' ]}, 'is_view_as_webpage_enabled': is_view_as_webpage_enabled, 'view_as_web_page_link_text': view_as_web_page_link_text, 'view_as_web_page_text': view_as_web_page_text, 'is_permission_reminder_enabled': is_permission_reminder_enabled, 'permission_reminder_text': permission_reminder_text} response = url.post(data=json.dumps(data), headers={'content-type': 'application/json'}) self.handle_response_status(response) return EmailMarketingCampaign.objects.create(data=response.json())
new_email_marketing_campaign
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, email_content, from_email, from_name, reply_to_email,\n subject, text_content, address, is_view_as_webpage_enabled=False,\n view_as_web_page_link_text='', view_as_web_page_text='',\n is_permission_reminder_enabled=False, permission_reminder_text=''):\n url = self.api.join(self.EMAIL_MARKETING_CAMPAIGN_URL)\n inlined_email_content = self.inline_css(email_content)\n minified_email_content = html_minify(inlined_email_content)\n worked_around_email_content = work_around(minified_email_content)\n data = {'name': name, 'subject': subject, 'from_name': from_name,\n 'from_email': from_email, 'reply_to_email': reply_to_email,\n 'email_content': worked_around_email_content,\n 'email_content_format': 'HTML', 'text_content': text_content,\n 'message_footer': {'organization_name': address['organization_name'\n ], 'address_line_1': address['address_line_1'], 'address_line_2':\n address['address_line_2'], 'address_line_3': address[\n 'address_line_3'], 'city': address['city'], 'state': address[\n 'state'], 'international_state': address['international_state'],\n 'postal_code': address['postal_code'], 'country': address['country'\n ]}, 'is_view_as_webpage_enabled': is_view_as_webpage_enabled,\n 'view_as_web_page_link_text': view_as_web_page_link_text,\n 'view_as_web_page_text': view_as_web_page_text,\n 'is_permission_reminder_enabled': is_permission_reminder_enabled,\n 'permission_reminder_text': permission_reminder_text}\n response = url.post(data=json.dumps(data), headers={'content-type':\n 'application/json'})\n self.handle_response_status(response)\n return EmailMarketingCampaign.objects.create(data=response.json())\n", "role": "user" }, { "content": "new_email_marketing_campaign", "role": "assistant" } ]
def x(self, email_marketing_campaign, name, email_content, from_email, from_name, reply_to_email, subject, text_content, address, is_view_as_webpage_enabled=False, view_as_web_page_link_text='', view_as_web_page_text='', is_permission_reminder_enabled=False, permission_reminder_text=''): url = self.api.join('/'.join([self.EMAIL_MARKETING_CAMPAIGN_URL, str( email_marketing_campaign.constant_contact_id)])) inlined_email_content = self.inline_css(email_content) minified_email_content = html_minify(inlined_email_content) worked_around_email_content = work_around(minified_email_content) data = {'name': name, 'subject': subject, 'from_name': from_name, 'from_email': from_email, 'reply_to_email': reply_to_email, 'email_content': worked_around_email_content, 'email_content_format': 'HTML', 'text_content': text_content, 'message_footer': {'organization_name': address['organization_name' ], 'address_line_1': address['address_line_1'], 'address_line_2': address['address_line_2'], 'address_line_3': address[ 'address_line_3'], 'city': address['city'], 'state': address[ 'state'], 'international_state': address['international_state'], 'postal_code': address['postal_code'], 'country': address['country' ]}, 'is_view_as_webpage_enabled': is_view_as_webpage_enabled, 'view_as_web_page_link_text': view_as_web_page_link_text, 'view_as_web_page_text': view_as_web_page_text, 'is_permission_reminder_enabled': is_permission_reminder_enabled, 'permission_reminder_text': permission_reminder_text} response = url.put(data=json.dumps(data), headers={'content-type': 'application/json'}) self.handle_response_status(response) email_marketing_campaign.data = response.json() email_marketing_campaign.save() return email_marketing_campaign
update_email_marketing_campaign
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, email_marketing_campaign, name, email_content, from_email,\n from_name, reply_to_email, subject, text_content, address,\n is_view_as_webpage_enabled=False, view_as_web_page_link_text='',\n view_as_web_page_text='', is_permission_reminder_enabled=False,\n permission_reminder_text=''):\n url = self.api.join('/'.join([self.EMAIL_MARKETING_CAMPAIGN_URL, str(\n email_marketing_campaign.constant_contact_id)]))\n inlined_email_content = self.inline_css(email_content)\n minified_email_content = html_minify(inlined_email_content)\n worked_around_email_content = work_around(minified_email_content)\n data = {'name': name, 'subject': subject, 'from_name': from_name,\n 'from_email': from_email, 'reply_to_email': reply_to_email,\n 'email_content': worked_around_email_content,\n 'email_content_format': 'HTML', 'text_content': text_content,\n 'message_footer': {'organization_name': address['organization_name'\n ], 'address_line_1': address['address_line_1'], 'address_line_2':\n address['address_line_2'], 'address_line_3': address[\n 'address_line_3'], 'city': address['city'], 'state': address[\n 'state'], 'international_state': address['international_state'],\n 'postal_code': address['postal_code'], 'country': address['country'\n ]}, 'is_view_as_webpage_enabled': is_view_as_webpage_enabled,\n 'view_as_web_page_link_text': view_as_web_page_link_text,\n 'view_as_web_page_text': view_as_web_page_text,\n 'is_permission_reminder_enabled': is_permission_reminder_enabled,\n 'permission_reminder_text': permission_reminder_text}\n response = url.put(data=json.dumps(data), headers={'content-type':\n 'application/json'})\n self.handle_response_status(response)\n email_marketing_campaign.data = response.json()\n email_marketing_campaign.save()\n return email_marketing_campaign\n", "role": "user" }, { "content": "update_email_marketing_campaign", "role": "assistant" } ]
def x(self, email_marketing_campaign): url = self.api.join('/'.join([self.EMAIL_MARKETING_CAMPAIGN_URL, str( email_marketing_campaign.constant_contact_id)])) response = url.delete() self.handle_response_status(response) return response
delete_email_marketing_campaign
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, email_marketing_campaign):\n url = self.api.join('/'.join([self.EMAIL_MARKETING_CAMPAIGN_URL, str(\n email_marketing_campaign.constant_contact_id)]))\n response = url.delete()\n self.handle_response_status(response)\n return response\n", "role": "user" }, { "content": "delete_email_marketing_campaign", "role": "assistant" } ]
def x(self, html): premailer = Premailer(html) inlined_html = premailer.transform(pretty_print=True) return inlined_html
inline_css
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, html):\n premailer = Premailer(html)\n inlined_html = premailer.transform(pretty_print=True)\n return inlined_html\n", "role": "user" }, { "content": "inline_css", "role": "assistant" } ]
def x(self, email_marketing_campaign): url = self.api.join('/'.join([self.EMAIL_MARKETING_CAMPAIGN_URL, str( email_marketing_campaign.constant_contact_id), 'preview'])) response = url.get() self.handle_response_status(response) return response.json()['preview_email_content'], response.json()[ 'preview_text_content']
preview_email_marketing_campaign
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, email_marketing_campaign):\n url = self.api.join('/'.join([self.EMAIL_MARKETING_CAMPAIGN_URL, str(\n email_marketing_campaign.constant_contact_id), 'preview']))\n response = url.get()\n self.handle_response_status(response)\n return response.json()['preview_email_content'], response.json()[\n 'preview_text_content']\n", "role": "user" }, { "content": "preview_email_marketing_campaign", "role": "assistant" } ]
def x(cls, sender, instance, *args, **kwargs): instance.constant_contact_id = str(instance.data['id'])
pre_save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, sender, instance, *args, **kwargs):\n instance.constant_contact_id = str(instance.data['id'])\n", "role": "user" }, { "content": "pre_save", "role": "assistant" } ]
def x(cls, sender, instance, *args, **kwargs): cc = ConstantContact() response = cc.delete_email_marketing_campaign(instance) response.raise_for_status()
pre_delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, sender, instance, *args, **kwargs):\n cc = ConstantContact()\n response = cc.delete_email_marketing_campaign(instance)\n response.raise_for_status()\n", "role": "user" }, { "content": "pre_delete", "role": "assistant" } ]
def x(self): printtime('Starting {} analysis pipeline'.format(self.analysistype), self.starttime) if not self.pipeline: try: _ = vars(self.runmetadata)['samples'] except KeyError: objects = Objectprep(self) objects.objectprep() self.runmetadata = objects.samples ProbeSippr(self, self.cutoff) printer = MetadataPrinter(self) printer.printmetadata() quit()
runner
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n printtime('Starting {} analysis pipeline'.format(self.analysistype),\n self.starttime)\n if not self.pipeline:\n try:\n _ = vars(self.runmetadata)['samples']\n except KeyError:\n objects = Objectprep(self)\n objects.objectprep()\n self.runmetadata = objects.samples\n ProbeSippr(self, self.cutoff)\n printer = MetadataPrinter(self)\n printer.printmetadata()\n quit()\n", "role": "user" }, { "content": "runner", "role": "assistant" } ]
def x(recipients, subject, text_content=None, html_content=None, from_email =None, use_base_template=True, category=None, fail_silently=False, language=None, cc=None, bcc=None, attachments=None, headers=None, bypass_queue=False, bypass_hijacking=False, attach_files=None): from django.conf import settings if not bypass_queue and hasattr(settings, 'MAILING_USE_CELERY' ) and settings.MAILING_USE_CELERY: from celery.execute import send_task return send_task('mailing.queue_send_email', [recipients, subject, text_content, html_content, from_email, use_base_template, category, fail_silently, language if language else translation. get_language(), cc, bcc, attachments, headers, bypass_hijacking, attach_files]) else: header_category_value = '%s%s' % (settings. MAILING_HEADER_CATEGORY_PREFIX if hasattr(settings, 'MAILING_HEADER_CATEGORY_PREFIX') else '', category) if hasattr(settings, 'MAILING_USE_SENDGRID'): send_grid_support = settings.MAILING_USE_SENDGRID else: send_grid_support = False if not headers: headers = dict() if send_grid_support and category: headers['X-SMTPAPI'] = '{"category": "%s"}' % header_category_value if hasattr(settings, 'MAILING_USE_MAILGUN'): mailgun_support = settings.MAILING_USE_MAILGUN else: mailgun_support = False if not headers: headers = dict() if mailgun_support and category: headers['X-Mailgun-Tag'] = header_category_value if isinstance(recipients, basestring): recipients_list = [recipients] else: recipients_list = recipients if hasattr(settings, 'MAILING_MAILTO_HIJACK') and not bypass_hijacking: headers['X-MAILER-ORIGINAL-MAILTO'] = ','.join(recipients_list) recipients_list = [settings.MAILING_MAILTO_HIJACK] if not subject: raise MailerMissingSubjectError('Subject not supplied') if text_content or html_content: if use_base_template: prev_language = translation.get_language() language and translation.activate(language) text_content = render_to_string('mailing/base.txt', { 'mailing_text_body': text_content, 'mailing_subject': subject, 'settings': settings}) if text_content else None html_content = render_to_string('mailing/base.html', { 'mailing_html_body': html_content, 'mailing_subject': subject, 'settings': settings}) if html_content else None translation.activate(prev_language) msg = EmailMultiAlternatives(subject, text_content if text_content else html_content, from_email if from_email else settings.DEFAULT_FROM_EMAIL, recipients_list, cc=cc, bcc= bcc, attachments=attachments, headers=headers) if html_content and text_content: msg.attach_alternative(html_content, 'text/html') elif html_content: msg.content_subtype = 'html' if attach_files: for att in attach_files: with open(att[0], 'rb') as f: content = f.read() msg.attach(att[2], content, att[1]) msg.send(fail_silently=fail_silently) else: raise MailerInvalidBodyError('No text or html body supplied.')
send_email
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(recipients, subject, text_content=None, html_content=None, from_email\n =None, use_base_template=True, category=None, fail_silently=False,\n language=None, cc=None, bcc=None, attachments=None, headers=None,\n bypass_queue=False, bypass_hijacking=False, attach_files=None):\n from django.conf import settings\n if not bypass_queue and hasattr(settings, 'MAILING_USE_CELERY'\n ) and settings.MAILING_USE_CELERY:\n from celery.execute import send_task\n return send_task('mailing.queue_send_email', [recipients, subject,\n text_content, html_content, from_email, use_base_template,\n category, fail_silently, language if language else translation.\n get_language(), cc, bcc, attachments, headers, bypass_hijacking,\n attach_files])\n else:\n header_category_value = '%s%s' % (settings.\n MAILING_HEADER_CATEGORY_PREFIX if hasattr(settings,\n 'MAILING_HEADER_CATEGORY_PREFIX') else '', category)\n if hasattr(settings, 'MAILING_USE_SENDGRID'):\n send_grid_support = settings.MAILING_USE_SENDGRID\n else:\n send_grid_support = False\n if not headers:\n headers = dict()\n if send_grid_support and category:\n headers['X-SMTPAPI'] = '{\"category\": \"%s\"}' % header_category_value\n if hasattr(settings, 'MAILING_USE_MAILGUN'):\n mailgun_support = settings.MAILING_USE_MAILGUN\n else:\n mailgun_support = False\n if not headers:\n headers = dict()\n if mailgun_support and category:\n headers['X-Mailgun-Tag'] = header_category_value\n if isinstance(recipients, basestring):\n recipients_list = [recipients]\n else:\n recipients_list = recipients\n if hasattr(settings, 'MAILING_MAILTO_HIJACK') and not bypass_hijacking:\n headers['X-MAILER-ORIGINAL-MAILTO'] = ','.join(recipients_list)\n recipients_list = [settings.MAILING_MAILTO_HIJACK]\n if not subject:\n raise MailerMissingSubjectError('Subject not supplied')\n if text_content or html_content:\n if use_base_template:\n prev_language = translation.get_language()\n language and translation.activate(language)\n text_content = render_to_string('mailing/base.txt', {\n 'mailing_text_body': text_content, 'mailing_subject':\n subject, 'settings': settings}) if text_content else None\n html_content = render_to_string('mailing/base.html', {\n 'mailing_html_body': html_content, 'mailing_subject':\n subject, 'settings': settings}) if html_content else None\n translation.activate(prev_language)\n msg = EmailMultiAlternatives(subject, text_content if\n text_content else html_content, from_email if from_email else\n settings.DEFAULT_FROM_EMAIL, recipients_list, cc=cc, bcc=\n bcc, attachments=attachments, headers=headers)\n if html_content and text_content:\n msg.attach_alternative(html_content, 'text/html')\n elif html_content:\n msg.content_subtype = 'html'\n if attach_files:\n for att in attach_files:\n with open(att[0], 'rb') as f:\n content = f.read()\n msg.attach(att[2], content, att[1])\n msg.send(fail_silently=fail_silently)\n else:\n raise MailerInvalidBodyError('No text or html body supplied.')\n", "role": "user" }, { "content": "send_email", "role": "assistant" } ]
def x(self, scopefunc=None): for connection_name, connection_string in self.app.config[ 'FLASK_PHILO_SQLALCHEMY'].items(): engine = create_engine(connection_string) session = scoped_session(sessionmaker(), scopefunc=scopefunc) session.configure(bind=engine) self.connections[connection_name] = Connection(engine, session)
initialize_connections
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, scopefunc=None):\n for connection_name, connection_string in self.app.config[\n 'FLASK_PHILO_SQLALCHEMY'].items():\n engine = create_engine(connection_string)\n session = scoped_session(sessionmaker(), scopefunc=scopefunc)\n session.configure(bind=engine)\n self.connections[connection_name] = Connection(engine, session)\n", "role": "user" }, { "content": "initialize_connections", "role": "assistant" } ]
def x(self, attribut, order=False): value_default = formats.ASSOCIATION[attribut][3] if type(value_default) is str: get = lambda d: (d[attribut] or value_default).casefold() elif type(value_default) is dict: def x(d): u = d[attribut] or value_default return [str(u[i]) for i in sorted(u.keys())] else: get = lambda d: d[attribut] or value_default list.sort(self, key=get, reverse=order)
sort
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, attribut, order=False):\n value_default = formats.ASSOCIATION[attribut][3]\n if type(value_default) is str:\n get = lambda d: (d[attribut] or value_default).casefold()\n elif type(value_default) is dict:\n\n def x(d):\n u = d[attribut] or value_default\n return [str(u[i]) for i in sorted(u.keys())]\n else:\n get = lambda d: d[attribut] or value_default\n list.sort(self, key=get, reverse=order)\n", "role": "user" }, { "content": "sort", "role": "assistant" } ]
def x(self, Id): try: return [a.Id for a in self].index(Id) except IndexError: return
index_from_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Id):\n try:\n return [a.Id for a in self].index(Id)\n except IndexError:\n return\n", "role": "user" }, { "content": "index_from_id", "role": "assistant" } ]
def x(self, acces, **kwargs): if acces.Id in set(ac.Id for ac in self): raise ValueError('Acces id already in list !') list.append(self, acces) if kwargs: self.infos[acces.Id] = kwargs
append
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, acces, **kwargs):\n if acces.Id in set(ac.Id for ac in self):\n raise ValueError('Acces id already in list !')\n list.append(self, acces)\n if kwargs:\n self.infos[acces.Id] = kwargs\n", "role": "user" }, { "content": "append", "role": "assistant" } ]
def x(self, key): self.infos.pop(key, '') new_l = [a for a in self if not a.Id == key] list.__init__(self, new_l)
remove_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key):\n self.infos.pop(key, '')\n new_l = [a for a in self if not a.Id == key]\n list.__init__(self, new_l)\n", "role": "user" }, { "content": "remove_id", "role": "assistant" } ]
def x(self, key=None, Id=None) ->dict: if key is not None: Id = self[key].Id return self.infos.get(Id, {})
get_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key=None, Id=None) ->dict:\n if key is not None:\n Id = self[key].Id\n return self.infos.get(Id, {})\n", "role": "user" }, { "content": "get_info", "role": "assistant" } ]
def x(self, pattern, entete): new_liste = [] sub_patterns = pattern.split(' ') for p in self: d_font = {att: (False) for att in entete} row_valid = True for sub_pattern in sub_patterns: found = False for att in entete: fonction_recherche = formats.ASSOCIATION[att][1] attr_found = bool(fonction_recherche(p[att], sub_pattern)) if attr_found: found = True d_font[att] = True if not found: row_valid = False break if row_valid: new_liste.append(p) info = dict(self.get_info(Id=p.Id), font=d_font) self.infos[p.Id] = info list.__init__(self, new_liste)
recherche
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pattern, entete):\n new_liste = []\n sub_patterns = pattern.split(' ')\n for p in self:\n d_font = {att: (False) for att in entete}\n row_valid = True\n for sub_pattern in sub_patterns:\n found = False\n for att in entete:\n fonction_recherche = formats.ASSOCIATION[att][1]\n attr_found = bool(fonction_recherche(p[att], sub_pattern))\n if attr_found:\n found = True\n d_font[att] = True\n if not found:\n row_valid = False\n break\n if row_valid:\n new_liste.append(p)\n info = dict(self.get_info(Id=p.Id), font=d_font)\n self.infos[p.Id] = info\n list.__init__(self, new_liste)\n", "role": "user" }, { "content": "recherche", "role": "assistant" } ]
def x(self, collection): l_ids = set([a.Id for a in self]) for acces in collection: if not acces.Id in l_ids: list.append(self, acces) info = collection.get_info(Id=acces.Id) if info: self.infos[acces.Id] = info
extend
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, collection):\n l_ids = set([a.Id for a in self])\n for acces in collection:\n if not acces.Id in l_ids:\n list.append(self, acces)\n info = collection.get_info(Id=acces.Id)\n if info:\n self.infos[acces.Id] = info\n", "role": "user" }, { "content": "extend", "role": "assistant" } ]
def x(at=None, subsecond=False): if not at: at = utcnow() st = at.strftime(_ISO8601_TIME_FORMAT if not subsecond else _ISO8601_TIME_FORMAT_SUBSECOND) tz = at.tzinfo.tzname(None) if at.tzinfo else 'UTC' st += 'Z' if tz == 'UTC' else tz return st
isotime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(at=None, subsecond=False):\n if not at:\n at = utcnow()\n st = at.strftime(_ISO8601_TIME_FORMAT if not subsecond else\n _ISO8601_TIME_FORMAT_SUBSECOND)\n tz = at.tzinfo.tzname(None) if at.tzinfo else 'UTC'\n st += 'Z' if tz == 'UTC' else tz\n return st\n", "role": "user" }, { "content": "isotime", "role": "assistant" } ]
def x(timestr): try: return iso8601.parse_date(timestr) except iso8601.ParseError as e: raise ValueError(six.text_type(e)) except TypeError as e: raise ValueError(six.text_type(e))
parse_isotime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(timestr):\n try:\n return iso8601.parse_date(timestr)\n except iso8601.ParseError as e:\n raise ValueError(six.text_type(e))\n except TypeError as e:\n raise ValueError(six.text_type(e))\n", "role": "user" }, { "content": "parse_isotime", "role": "assistant" } ]
def x(at=None, fmt=PERFECT_TIME_FORMAT): if not at: at = utcnow() return at.strftime(fmt)
strtime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(at=None, fmt=PERFECT_TIME_FORMAT):\n if not at:\n at = utcnow()\n return at.strftime(fmt)\n", "role": "user" }, { "content": "strtime", "role": "assistant" } ]
def x(timestamp): offset = timestamp.utcoffset() if offset is None: return timestamp return timestamp.replace(tzinfo=None) - offset
normalize_time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(timestamp):\n offset = timestamp.utcoffset()\n if offset is None:\n return timestamp\n return timestamp.replace(tzinfo=None) - offset\n", "role": "user" }, { "content": "normalize_time", "role": "assistant" } ]
def x(before, seconds): if isinstance(before, six.string_types): before = parse_strtime(before).replace(tzinfo=None) else: before = before.replace(tzinfo=None) return utcnow() - before > datetime.timedelta(seconds=seconds)
is_older_than
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(before, seconds):\n if isinstance(before, six.string_types):\n before = parse_strtime(before).replace(tzinfo=None)\n else:\n before = before.replace(tzinfo=None)\n return utcnow() - before > datetime.timedelta(seconds=seconds)\n", "role": "user" }, { "content": "is_older_than", "role": "assistant" } ]
def x(after, seconds): if isinstance(after, six.string_types): after = parse_strtime(after).replace(tzinfo=None) else: after = after.replace(tzinfo=None) return after - utcnow() > datetime.timedelta(seconds=seconds)
is_newer_than
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(after, seconds):\n if isinstance(after, six.string_types):\n after = parse_strtime(after).replace(tzinfo=None)\n else:\n after = after.replace(tzinfo=None)\n return after - utcnow() > datetime.timedelta(seconds=seconds)\n", "role": "user" }, { "content": "is_newer_than", "role": "assistant" } ]
def x(): if utcnow.override_time is None: return int(time.time()) return calendar.timegm(utcnow().timetuple())
utcnow_ts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if utcnow.override_time is None:\n return int(time.time())\n return calendar.timegm(utcnow().timetuple())\n", "role": "user" }, { "content": "utcnow_ts", "role": "assistant" } ]
def x(): if utcnow.override_time: try: return utcnow.override_time.pop(0) except AttributeError: return utcnow.override_time return datetime.datetime.utcnow()
utcnow
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if utcnow.override_time:\n try:\n return utcnow.override_time.pop(0)\n except AttributeError:\n return utcnow.override_time\n return datetime.datetime.utcnow()\n", "role": "user" }, { "content": "utcnow", "role": "assistant" } ]
def x(timedelta): assert utcnow.override_time is not None try: for dt in utcnow.override_time: dt += timedelta except TypeError: utcnow.override_time += timedelta
advance_time_delta
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(timedelta):\n assert utcnow.override_time is not None\n try:\n for dt in utcnow.override_time:\n dt += timedelta\n except TypeError:\n utcnow.override_time += timedelta\n", "role": "user" }, { "content": "advance_time_delta", "role": "assistant" } ]
def x(now=None): if not now: now = utcnow() return dict(day=now.day, month=now.month, year=now.year, hour=now.hour, minute=now.minute, second=now.second, microsecond=now.microsecond)
marshall_now
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(now=None):\n if not now:\n now = utcnow()\n return dict(day=now.day, month=now.month, year=now.year, hour=now.hour,\n minute=now.minute, second=now.second, microsecond=now.microsecond)\n", "role": "user" }, { "content": "marshall_now", "role": "assistant" } ]
def x(tyme): return datetime.datetime(day=tyme['day'], month=tyme['month'], year= tyme['year'], hour=tyme['hour'], minute=tyme['minute'], second=tyme ['second'], microsecond=tyme['microsecond'])
unmarshall_time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tyme):\n return datetime.datetime(day=tyme['day'], month=tyme['month'], year=\n tyme['year'], hour=tyme['hour'], minute=tyme['minute'], second=tyme\n ['second'], microsecond=tyme['microsecond'])\n", "role": "user" }, { "content": "unmarshall_time", "role": "assistant" } ]
def x(delta): try: return delta.total_seconds() except AttributeError: return delta.days * 24 * 3600 + delta.seconds + float(delta. microseconds) / 10 ** 6
total_seconds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(delta):\n try:\n return delta.total_seconds()\n except AttributeError:\n return delta.days * 24 * 3600 + delta.seconds + float(delta.\n microseconds) / 10 ** 6\n", "role": "user" }, { "content": "total_seconds", "role": "assistant" } ]
def x(dt, window): soon = utcnow() + datetime.timedelta(seconds=window) return normalize_time(dt) <= soon
is_soon
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dt, window):\n soon = utcnow() + datetime.timedelta(seconds=window)\n return normalize_time(dt) <= soon\n", "role": "user" }, { "content": "is_soon", "role": "assistant" } ]
def x(url, target): target = os.path.abspath(target) cmd = ['powershell', '-Command', '(new-object System.Net.WebClient).DownloadFile(%(url)r, %(target)r)' % vars()] subprocess.check_call(cmd)
download_file_powershell
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url, target):\n target = os.path.abspath(target)\n cmd = ['powershell', '-Command', \n '(new-object System.Net.WebClient).DownloadFile(%(url)r, %(target)r)' %\n vars()]\n subprocess.check_call(cmd)\n", "role": "user" }, { "content": "download_file_powershell", "role": "assistant" } ]
def x(url, target): try: from urllib.request import urlopen except ImportError: from urllib2 import urlopen src = dst = None try: src = urlopen(url) data = src.read() dst = open(target, 'wb') dst.write(data) finally: if src: src.close() if dst: dst.close()
download_file_insecure
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url, target):\n try:\n from urllib.request import urlopen\n except ImportError:\n from urllib2 import urlopen\n src = dst = None\n try:\n src = urlopen(url)\n data = src.read()\n dst = open(target, 'wb')\n dst.write(data)\n finally:\n if src:\n src.close()\n if dst:\n dst.close()\n", "role": "user" }, { "content": "download_file_insecure", "role": "assistant" } ]
def x(options): install_args = [] if options.user_install: if sys.version_info < (2, 6): log.warn('--user requires Python 2.6 or later') raise SystemExit(1) install_args.append('--user') return install_args
build_install_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(options):\n install_args = []\n if options.user_install:\n if sys.version_info < (2, 6):\n log.warn('--user requires Python 2.6 or later')\n raise SystemExit(1)\n install_args.append('--user')\n return install_args\n", "role": "user" }, { "content": "build_install_args", "role": "assistant" } ]
def x(name, value): def x(func): @functools.wraps(func) def x(*args, **kwargs): existing_env = core.read(name, allow_none=True) core.write(name, value) func_val = func(*args, **kwargs) core.write(name, existing_env) return func_val return _decorator return wrapped
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, value):\n\n def x(func):\n\n @functools.wraps(func)\n def x(*args, **kwargs):\n existing_env = core.read(name, allow_none=True)\n core.write(name, value)\n func_val = func(*args, **kwargs)\n core.write(name, existing_env)\n return func_val\n return _decorator\n return wrapped\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(name): def x(func): @functools.wraps(func) def x(*args, **kwargs): if core.isset(name): return func(*args, **kwargs) return _decorator return wrapped
isset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name):\n\n def x(func):\n\n @functools.wraps(func)\n def x(*args, **kwargs):\n if core.isset(name):\n return func(*args, **kwargs)\n return _decorator\n return wrapped\n", "role": "user" }, { "content": "isset", "role": "assistant" } ]
def x(name, execute_bool=True, default=None): def x(func): @functools.wraps(func) def x(*args, **kwargs): if core.isset(name) and core.bool(name) == execute_bool: return func(*args, **kwargs) elif default is not None and default == execute_bool: return func(*args, **kwargs) return _decorator return wrapped
bool
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, execute_bool=True, default=None):\n\n def x(func):\n\n @functools.wraps(func)\n def x(*args, **kwargs):\n if core.isset(name) and core.bool(name) == execute_bool:\n return func(*args, **kwargs)\n elif default is not None and default == execute_bool:\n return func(*args, **kwargs)\n return _decorator\n return wrapped\n", "role": "user" }, { "content": "bool", "role": "assistant" } ]
def x(self, x, y): if isinstance(self.header[y], tuple): header = self.header[y][0] else: header = self.header[y] x += 1 y += 1 if self.strip: self._sheet.cell(x, y).value = self._sheet.cell(x, y).value.strip() else: return {header: self._sheet.cell(x, y).value}
read_cell
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x, y):\n if isinstance(self.header[y], tuple):\n header = self.header[y][0]\n else:\n header = self.header[y]\n x += 1\n y += 1\n if self.strip:\n self._sheet.cell(x, y).value = self._sheet.cell(x, y).value.strip()\n else:\n return {header: self._sheet.cell(x, y).value}\n", "role": "user" }, { "content": "read_cell", "role": "assistant" } ]
def x(self, x, y, value): x += 1 y += 1 self._sheet.update_cell(x, y, value)
write_cell
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x, y, value):\n x += 1\n y += 1\n self._sheet.update_cell(x, y, value)\n", "role": "user" }, { "content": "write_cell", "role": "assistant" } ]
def x(self): if not hasattr(self, '_file'): self._file = self.gc.open(self.name) self.sheet_names = self._file.worksheets()
open
[ { "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 hasattr(self, '_file'):\n self._file = self.gc.open(self.name)\n self.sheet_names = self._file.worksheets()\n", "role": "user" }, { "content": "open", "role": "assistant" } ]
def x(self): if self.sheet_name and not self.header: self._sheet = self._file.worksheet(self.sheet_name.title) self.ncols = self._sheet.col_count self.nrows = self._sheet.row_count for i in range(1, self.ncols + 1): self.header = self.header + [self._sheet.cell(1, i).value]
open_sheet
[ { "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.sheet_name and not self.header:\n self._sheet = self._file.worksheet(self.sheet_name.title)\n self.ncols = self._sheet.col_count\n self.nrows = self._sheet.row_count\n for i in range(1, self.ncols + 1):\n self.header = self.header + [self._sheet.cell(1, i).value]\n", "role": "user" }, { "content": "open_sheet", "role": "assistant" } ]
def x(self): import os.path import gspread self.path = os.path self.gspread = gspread self._login()
import
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n import os.path\n import gspread\n self.path = os.path\n self.gspread = gspread\n self._login()\n", "role": "user" }, { "content": "import", "role": "assistant" } ]
def x(self): self.gc = self.gspread.login(self.email, self.password)
login
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.gc = self.gspread.login(self.email, self.password)\n", "role": "user" }, { "content": "login", "role": "assistant" } ]
def x(self, index: QModelIndex): if self.IS_EDITABLE and self.header[index.column() ] in self.EDITABLE_FIELDS: return Qt.ItemIsEnabled | Qt.ItemIsSelectable | Qt.ItemIsEditable else: return super().flags(index) | Qt.ItemIsSelectable
flags
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, index: QModelIndex):\n if self.IS_EDITABLE and self.header[index.column()\n ] in self.EDITABLE_FIELDS:\n return Qt.ItemIsEnabled | Qt.ItemIsSelectable | Qt.ItemIsEditable\n else:\n return super().flags(index) | Qt.ItemIsSelectable\n", "role": "user" }, { "content": "flags", "role": "assistant" } ]
def x(self, section: int, order=None): attr = self.header[section] old_i, old_sort = self.sort_state self.beginResetModel() if section == old_i: self.collection.sort(attr, not old_sort) self.sort_state = section, not old_sort else: self.collection.sort(attr, True) self.sort_state = section, True self.endResetModel()
sort
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, section: int, order=None):\n attr = self.header[section]\n old_i, old_sort = self.sort_state\n self.beginResetModel()\n if section == old_i:\n self.collection.sort(attr, not old_sort)\n self.sort_state = section, not old_sort\n else:\n self.collection.sort(attr, True)\n self.sort_state = section, True\n self.endResetModel()\n", "role": "user" }, { "content": "sort", "role": "assistant" } ]
def x(self, section): self.beginResetModel() self.collection.pop(section) self.endResetModel()
remove_line
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, section):\n self.beginResetModel()\n self.collection.pop(section)\n self.endResetModel()\n", "role": "user" }, { "content": "remove_line", "role": "assistant" } ]
def x(self): self.dataChanged.emit(self.createIndex(0, 0), self.createIndex(len(self .collection), len(self.header)))
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.dataChanged.emit(self.createIndex(0, 0), self.createIndex(len(self\n .collection), len(self.header)))\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self, index): row = index.row() if hasattr(index, 'row') else index try: return self.collection[row] except IndexError: return None
get_item
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, index):\n row = index.row() if hasattr(index, 'row') else index\n try:\n return self.collection[row]\n except IndexError:\n return None\n", "role": "user" }, { "content": "get_item", "role": "assistant" } ]
def x(self, collection): self.beginResetModel() self.collection = collection self.sort_state = -1, False self.endResetModel()
set_collection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, collection):\n self.beginResetModel()\n self.collection = collection\n self.sort_state = -1, False\n self.endResetModel()\n", "role": "user" }, { "content": "set_collection", "role": "assistant" } ]
def x(self, index, new_item): row = index.row() if hasattr(index, 'row') else index self.collection[row] = new_item self.dataChanged.emit(self.index(row, 0), self.index(row, self.rowCount () - 1))
set_item
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, index, new_item):\n row = index.row() if hasattr(index, 'row') else index\n self.collection[row] = new_item\n self.dataChanged.emit(self.index(row, 0), self.index(row, self.rowCount\n () - 1))\n", "role": "user" }, { "content": "set_item", "role": "assistant" } ]
def x(self, index, value): acces, field = self.get_item(index), self.header[index.column()] self.beginResetModel() self.set_data_hook(acces, field, value) self.endResetModel()
set_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, index, value):\n acces, field = self.get_item(index), self.header[index.column()]\n self.beginResetModel()\n self.set_data_hook(acces, field, value)\n self.endResetModel()\n", "role": "user" }, { "content": "set_data", "role": "assistant" } ]
def x(self, Id, is_added, index): if is_added: self.selected_ids.add(Id) else: self.selected_ids.remove(Id) self.dataChanged.emit(index, index)
set_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Id, is_added, index):\n if is_added:\n self.selected_ids.add(Id)\n else:\n self.selected_ids.remove(Id)\n self.dataChanged.emit(index, index)\n", "role": "user" }, { "content": "set_id", "role": "assistant" } ]
def x(self, index: QModelIndex, value, role=None): if not (index.isValid() and role == Qt.CheckStateRole): return False c_id = self.get_item(index).Id self._set_id(c_id, value == Qt.Checked, index) return True
setData
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, index: QModelIndex, value, role=None):\n if not (index.isValid() and role == Qt.CheckStateRole):\n return False\n c_id = self.get_item(index).Id\n self._set_id(c_id, value == Qt.Checked, index)\n return True\n", "role": "user" }, { "content": "setData", "role": "assistant" } ]
def x(self, Id, is_added): row = self.collection.index_from_id(Id) if row is None: return self._set_id(Id, is_added, self.index(row, 0))
set_by_Id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Id, is_added):\n row = self.collection.index_from_id(Id)\n if row is None:\n return\n self._set_id(Id, is_added, self.index(row, 0))\n", "role": "user" }, { "content": "set_by_Id", "role": "assistant" } ]
def x(self): delegate = self.DELEGATE_CLASS(self) self.setItemDelegate(delegate) delegate.sizeHintChanged.connect(lambda index: self.resizeRowToContents (index.row())) if self.RESIZE_COLUMN: delegate.sizeHintChanged.connect(lambda index: self. resizeColumnToContents(index.column())) delegate.closeEditor.connect(lambda ed: self.resizeRowToContents( delegate.row_done_))
setup_delegate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n delegate = self.DELEGATE_CLASS(self)\n self.setItemDelegate(delegate)\n delegate.sizeHintChanged.connect(lambda index: self.resizeRowToContents\n (index.row()))\n if self.RESIZE_COLUMN:\n delegate.sizeHintChanged.connect(lambda index: self.\n resizeColumnToContents(index.column()))\n delegate.closeEditor.connect(lambda ed: self.resizeRowToContents(\n delegate.row_done_))\n", "role": "user" }, { "content": "setup_delegate", "role": "assistant" } ]
def x(self): if self.model().rowCount() == 0: painter = QPainter(self.viewport()) painter.setFont(_custom_font(is_italic=True)) painter.drawText(self.rect().adjusted(0, 0, -5, -5), Qt.AlignCenter | Qt.TextWordWrap, self.PLACEHOLDER)
draw_placeholder
[ { "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.model().rowCount() == 0:\n painter = QPainter(self.viewport())\n painter.setFont(_custom_font(is_italic=True))\n painter.drawText(self.rect().adjusted(0, 0, -5, -5), Qt.AlignCenter |\n Qt.TextWordWrap, self.PLACEHOLDER)\n", "role": "user" }, { "content": "draw_placeholder", "role": "assistant" } ]
def x(self): l = self.selectedIndexes() if len(l) > 0: return self.model().get_item(l[0])
get_current_item
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n l = self.selectedIndexes()\n if len(l) > 0:\n return self.model().get_item(l[0])\n", "role": "user" }, { "content": "get_current_item", "role": "assistant" } ]
def x(l, header): col = groups.sortableListe(PseudoAccesCategorie(n) for n in l) return MultiSelectModel(col, header)
model_from_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(l, header):\n col = groups.sortableListe(PseudoAccesCategorie(n) for n in l)\n return MultiSelectModel(col, header)\n", "role": "user" }, { "content": "model_from_list", "role": "assistant" } ]
def x(response): if isinstance(response, string_types): return response is_single_list = isinstance(response, list) and len(response) == 1 if is_single_list and isinstance(response[0], string_types): return response[0] return 'OK'
parse_status_code
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(response):\n if isinstance(response, string_types):\n return response\n is_single_list = isinstance(response, list) and len(response) == 1\n if is_single_list and isinstance(response[0], string_types):\n return response[0]\n return 'OK'\n", "role": "user" }, { "content": "parse_status_code", "role": "assistant" } ]
def x(self, id, domain, subdomain=None): if subdomain is None: subdomain = '@' _validate_int('id', id) self._call('removeZoneRecord', domain, subdomain, id)
remove_zone_record
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, domain, subdomain=None):\n if subdomain is None:\n subdomain = '@'\n _validate_int('id', id)\n self._call('removeZoneRecord', domain, subdomain, id)\n", "role": "user" }, { "content": "remove_zone_record", "role": "assistant" } ]
def x(self): cname = self.class_name match = re.match(self.CLASS_REGEX, cname) if not match: raise ValueError(f'not a fully qualified class name: {cname}') return match.groups()
parse_module_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n cname = self.class_name\n match = re.match(self.CLASS_REGEX, cname)\n if not match:\n raise ValueError(f'not a fully qualified class name: {cname}')\n return match.groups()\n", "role": "user" }, { "content": "parse_module_class", "role": "assistant" } ]
def x(self): pkg, cname = self.parse_module_class() logger.debug(f'pkg: {pkg}, class: {cname}') pkg = pkg.split('.') mod = reduce(lambda m, n: getattr(m, n), pkg[1:], __import__(pkg[0])) logger.debug(f'mod: {mod}') if self.reload: importlib.reload(mod) cls = getattr(mod, cname) logger.debug(f'class: {cls}') return mod, cls
get_module_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n pkg, cname = self.parse_module_class()\n logger.debug(f'pkg: {pkg}, class: {cname}')\n pkg = pkg.split('.')\n mod = reduce(lambda m, n: getattr(m, n), pkg[1:], __import__(pkg[0]))\n logger.debug(f'mod: {mod}')\n if self.reload:\n importlib.reload(mod)\n cls = getattr(mod, cname)\n logger.debug(f'class: {cls}')\n return mod, cls\n", "role": "user" }, { "content": "get_module_class", "role": "assistant" } ]
def x(self, *args, **kwargs): mod, cls = self.get_module_class() inst = cls(*args, **kwargs) logger.debug(f'inst: {inst}') return inst
instance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n mod, cls = self.get_module_class()\n inst = cls(*args, **kwargs)\n logger.debug(f'inst: {inst}')\n return inst\n", "role": "user" }, { "content": "instance", "role": "assistant" } ]
def x(self, level=logging.INFO): mod, cls = self.parse_module_class() logging.getLogger(mod).setLevel(level)
set_log_level
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, level=logging.INFO):\n mod, cls = self.parse_module_class()\n logging.getLogger(mod).setLevel(level)\n", "role": "user" }, { "content": "set_log_level", "role": "assistant" } ]
def x(cls, instance_class, name=None): if name is None: name = instance_class.__name__ cls.INSTANCE_CLASSES[name] = instance_class
register
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, instance_class, name=None):\n if name is None:\n name = instance_class.__name__\n cls.INSTANCE_CLASSES[name] = instance_class\n", "role": "user" }, { "content": "register", "role": "assistant" } ]
def x(self, class_name): classes = {} classes.update(globals()) classes.update(self.INSTANCE_CLASSES) logger.debug(f'looking up class: {class_name}') cls = classes[class_name] logger.debug(f'found class: {cls}') return cls
find_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, class_name):\n classes = {}\n classes.update(globals())\n classes.update(self.INSTANCE_CLASSES)\n logger.debug(f'looking up class: {class_name}')\n cls = classes[class_name]\n logger.debug(f'found class: {cls}')\n return cls\n", "role": "user" }, { "content": "find_class", "role": "assistant" } ]
def x(self, name): sec = self.pattern.format(**{'name': name}) logger.debug(f'section: {sec}') params = {} params.update(self.config.populate({}, section=sec)) class_name = params['class_name'] del params['class_name'] return class_name, params
class_name_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n sec = self.pattern.format(**{'name': name})\n logger.debug(f'section: {sec}')\n params = {}\n params.update(self.config.populate({}, section=sec))\n class_name = params['class_name']\n del params['class_name']\n return class_name, params\n", "role": "user" }, { "content": "class_name_params", "role": "assistant" } ]
def x(self, cls): args = inspect.signature(cls.__init__) return self.config_param_name in args.parameters
has_init_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cls):\n args = inspect.signature(cls.__init__)\n return self.config_param_name in args.parameters\n", "role": "user" }, { "content": "has_init_config", "role": "assistant" } ]
def x(self, cls): args = inspect.signature(cls.__init__) return self.name_param_name in args.parameters
has_init_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cls):\n args = inspect.signature(cls.__init__)\n return self.name_param_name in args.parameters\n", "role": "user" }, { "content": "has_init_name", "role": "assistant" } ]
def x(self, cls, *args, **kwargs): logger.debug(f'args: {args}, kwargs: {kwargs}') return cls(*args, **kwargs)
instance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cls, *args, **kwargs):\n logger.debug(f'args: {args}, kwargs: {kwargs}')\n return cls(*args, **kwargs)\n", "role": "user" }, { "content": "instance", "role": "assistant" } ]
def x(self, name=None, *args, **kwargs): logger.info(f'new instance of {name}') t0 = time() name = self.default_name if name is None else name logger.debug(f'creating instance of {name}') class_name, params = self._class_name_params(name) cls = self._find_class(class_name) params.update(kwargs) if self._has_init_config(cls): logger.debug(f'found config parameter') params['config'] = self.config if self._has_init_name(cls): logger.debug(f'found name parameter') params['name'] = name if logger.level >= logging.DEBUG: for k, v in params.items(): logger.debug(f'populating {k} -> {v} ({type(v)})') inst = self._instance(cls, *args, **params) logger.info(f'created {name} instance of {cls.__name__} ' + f'in {time() - t0:.2f}s') return inst
instance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name=None, *args, **kwargs):\n logger.info(f'new instance of {name}')\n t0 = time()\n name = self.default_name if name is None else name\n logger.debug(f'creating instance of {name}')\n class_name, params = self._class_name_params(name)\n cls = self._find_class(class_name)\n params.update(kwargs)\n if self._has_init_config(cls):\n logger.debug(f'found config parameter')\n params['config'] = self.config\n if self._has_init_name(cls):\n logger.debug(f'found name parameter')\n params['name'] = name\n if logger.level >= logging.DEBUG:\n for k, v in params.items():\n logger.debug(f'populating {k} -> {v} ({type(v)})')\n inst = self._instance(cls, *args, **params)\n logger.info(f'created {name} instance of {cls.__name__} ' +\n f'in {time() - t0:.2f}s')\n return inst\n", "role": "user" }, { "content": "instance", "role": "assistant" } ]
def x(self, name=None, *args, **kwargs): inst = self.stash.load(name) if inst is None: inst = self.instance(name, *args, **kwargs) logger.debug(f'loaded (conf mng) instance: {inst}') return inst
load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name=None, *args, **kwargs):\n inst = self.stash.load(name)\n if inst is None:\n inst = self.instance(name, *args, **kwargs)\n logger.debug(f'loaded (conf mng) instance: {inst}')\n return inst\n", "role": "user" }, { "content": "load", "role": "assistant" } ]
def x(self, name: str, inst): self.stash.dump(name, inst)
dump
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name: str, inst):\n self.stash.dump(name, inst)\n", "role": "user" }, { "content": "dump", "role": "assistant" } ]
def x(cls, default_timeout=DEFAULT_TIMEOUT_SECONDS): try: base_api_url = os.environ['SALTANT_API_URL'] except KeyError: raise BadEnvironmentError('SALTANT_API_URL not defined!') try: auth_token = os.environ['SALTANT_AUTH_TOKEN'] except KeyError: raise BadEnvironmentError('SALTANT_AUTH_TOKEN not defined!') return cls(base_api_url=base_api_url, auth_token=auth_token, default_timeout=default_timeout)
from_env
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, default_timeout=DEFAULT_TIMEOUT_SECONDS):\n try:\n base_api_url = os.environ['SALTANT_API_URL']\n except KeyError:\n raise BadEnvironmentError('SALTANT_API_URL not defined!')\n try:\n auth_token = os.environ['SALTANT_AUTH_TOKEN']\n except KeyError:\n raise BadEnvironmentError('SALTANT_AUTH_TOKEN not defined!')\n return cls(base_api_url=base_api_url, auth_token=auth_token,\n default_timeout=default_timeout)\n", "role": "user" }, { "content": "from_env", "role": "assistant" } ]
def x(self): vname = self.varname logger.debug(f'global clearning {vname}') if vname in globals(): logger.debug('removing global instance var: {}'.format(vname)) del globals()[vname]
clear_global
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n vname = self.varname\n logger.debug(f'global clearning {vname}')\n if vname in globals():\n logger.debug('removing global instance var: {}'.format(vname))\n del globals()[vname]\n", "role": "user" }, { "content": "clear_global", "role": "assistant" } ]
def x(self): vname = self.varname if self.path.exists(): logger.debug('deleting cached work: {}'.format(self.path)) self.path.unlink() if self.owner is not None and hasattr(self.owner, vname): logger.debug('removing instance var: {}'.format(vname)) delattr(self.owner, vname) self.clear_global()
clear
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n vname = self.varname\n if self.path.exists():\n logger.debug('deleting cached work: {}'.format(self.path))\n self.path.unlink()\n if self.owner is not None and hasattr(self.owner, vname):\n logger.debug('removing instance var: {}'.format(vname))\n delattr(self.owner, vname)\n self.clear_global()\n", "role": "user" }, { "content": "clear", "role": "assistant" } ]
def x(self, *argv, **kwargs): if self.path.exists(): self._info('loading work from {}'.format(self.path)) with open(self.path, 'rb') as f: obj = pickle.load(f) else: self._info('saving work to {}'.format(self.path)) with open(self.path, 'wb') as f: obj = self._do_work(*argv, **kwargs) pickle.dump(obj, f) return obj
load_or_create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *argv, **kwargs):\n if self.path.exists():\n self._info('loading work from {}'.format(self.path))\n with open(self.path, 'rb') as f:\n obj = pickle.load(f)\n else:\n self._info('saving work to {}'.format(self.path))\n with open(self.path, 'wb') as f:\n obj = self._do_work(*argv, **kwargs)\n pickle.dump(obj, f)\n return obj\n", "role": "user" }, { "content": "load_or_create", "role": "assistant" } ]