source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(name, parent): parent = parent.resolve() logger.info( f'dirname: Trying to get version of {name} from dirname {parent}') name_re = name.replace('_', '[_-]') re_dirname = re.compile(f'{name_re}-{RE_VERSION}$') if not re_dirname.match(parent.name): logger.info(f'dirname: Failed; Does not match {re_dirname!r}') return None logger.info('dirname: Succeeded') return Version.parse(parent.name[len(name) + 1:])
get_version_from_dirname
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, parent):\n parent = parent.resolve()\n logger.info(\n f'dirname: Trying to get version of {name} from dirname {parent}')\n name_re = name...
def x(args): if args['subcommand'] == 'sphinx': s = Sphinx(proj_info) if args['quickstart']: s.quickstart() elif args['gen_code_api']: s.gen_code_api() elif args['rst2html']: s.rst2html() pass elif args['subcommand'] == 'offline_dist': pod = PyOfflineDist() if args['freeze_deps']: pod.freeze_deps() elif args['download_deps']: pod.download_deps() elif args['install_deps']: pod.install_deps() elif args['clean_deps']: pod.clean_deps() elif args['mkbinary']: pod.pyinstaller_mkbinary(args['mkbinary']) elif args['clean_binary']: pod.clean_binary() pass
execute_by_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args):\n if args['subcommand'] == 'sphinx':\n s = Sphinx(proj_info)\n if args['quickstart']:\n s.quickstart()\n elif args['g...
def x(self, regex_tgtline, to_replace): for idx, line in enumerate(self._swp_lines): mobj = re.match(regex_tgtline, line) if mobj: self._swp_lines[idx] = to_replace return
editline_with_regex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, regex_tgtline, to_replace):\n for idx, line in enumerate(self._swp_lines):\n mobj = re.match(regex_tgtline, line)\n if mobj:\n ...
def x(self): conf_editor = Editor(self.conf_fpath) conf_editor.editline_with_regex('^# import os', 'import os') conf_editor.editline_with_regex('^# import sys', 'import sys') conf_editor.editline_with_regex('^# sys\\.path\\.insert', 'sys.path.insert(0, "{}")'.format(self.code_fdpath)) conf_editor.editline_with_regex("html_theme = 'alabaster'", "html_theme = 'default'".format(self.code_fdpath)) conf_editor.finish_writing() subprocess.call(self._sphinx_apidoc_cmd) pass
gen_code_api
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n conf_editor = Editor(self.conf_fpath)\n conf_editor.editline_with_regex('^# import os', 'import os')\n conf_editor.editline_with_regex('^# im...
def x(function, owner=None): def x(value, new_list): setattr(wrapped, value, new_list) def x(*args, **kwargs): if owner: if len(args) > 0: if owner == args[0].__class__: args = args[1:] wrapped.callCount += 1 wrapped.args_list.append(args) wrapped.kwargs_list.append(kwargs) call = SpyCall() call.args = args call.kwargs = kwargs call.stack = traceback.format_stack() wrapped.call_list.append(call) try: ret = function(*args, **kwargs) wrapped.ret_list.append(ret) call.returnValue = ret return ret except BaseException as excpt: wrapped.error_list.append(excpt.__class__) call.exception = excpt raise excpt wrapped.__set__ = __set__ wrapped.callCount = 0 wrapped.args_list = [] wrapped.call_list = [] wrapped.kwargs_list = [] wrapped.error_list = [] wrapped.ret_list = [] wrapped.LOCK = True return wrapped
wrap_spy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(function, owner=None):\n\n def x(value, new_list):\n setattr(wrapped, value, new_list)\n\n def x(*args, **kwargs):\n if owner:\n ...
def x(self, sync_only=False): entity = datastore.Entity(key=self._key) entity['last_accessed'] = self.last_accessed entity['data'] = self._data if self.expires: entity['expires'] = self.expires self._client.put(entity)
save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sync_only=False):\n entity = datastore.Entity(key=self._key)\n entity['last_accessed'] = self.last_accessed\n entity['data'] = self._data\n i...
def x(self, *args, **kwargs): index_list = self.__get_matching_withargs_indices(*args, **kwargs) if index_list: return self.__get_return_value_withargs(index_list, *args, **kwargs) else: return self.__get_return_value_no_withargs(*args, **kwargs)
default_custom_function
[ { "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 index_list = self.__get_matching_withargs_indices(*args, **kwargs)\n if index_list:\n return self.__get_return_value_wit...
def x(self, args, kwargs, args_list, kwargs_list): if args and kwargs: if args in args_list and kwargs in kwargs_list: args_indices = [i for i, x in enumerate(args_list) if x == args] kwargs_indices = [i for i, x in enumerate(kwargs_list) if x == kwargs] return list(set(args_indices).intersection(kwargs_indices)) elif args: if args in args_list: return [i for i, x in enumerate(args_list) if x == args and not kwargs_list[i]] elif kwargs: if kwargs in kwargs_list: return [i for i, x in enumerate(kwargs_list) if x == kwargs and not args_list[i]] else: return []
get_matching_indices
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, args, kwargs, args_list, kwargs_list):\n if args and kwargs:\n if args in args_list and kwargs in kwargs_list:\n args_indices = [i f...
def x(self, *args, **kwargs): return self.__get_matching_indices(args, kwargs, self._conditions[ 'args'], self._conditions['kwargs'])
get_matching_withargs_indices
[ { "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 return self.__get_matching_indices(args, kwargs, self._conditions[\n 'args'], self._conditions['kwargs'])\n", "role": "...
def x(self, args, kwargs, args_list, kwargs_list): return len(self.__get_matching_indices(args, kwargs, args_list, kwargs_list))
get_call_count
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, args, kwargs, args_list, kwargs_list):\n return len(self.__get_matching_indices(args, kwargs, args_list,\n kwargs_list))\n", "role": "user"...
def x(self, index_list, *args, **kwargs): c = self._conditions args_list = self._wrapper.args_list kwargs_list = self._wrapper.kwargs_list indices_with_oncall = [i for i in reversed(index_list) if c['oncall'][i]] if indices_with_oncall: call_count = self.__get_call_count(args, kwargs, args_list, kwargs_list ) for i in indices_with_oncall: if c['oncall'][i] == call_count: return c['action'][i](*args, **kwargs) indices_without_oncall = [i for i in reversed(index_list) if not c[ 'oncall'][i]] if indices_without_oncall: max_index = max(indices_without_oncall) return c['action'][max_index](*args, **kwargs) return c['default'](*args, **kwargs)
get_return_value_withargs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, index_list, *args, **kwargs):\n c = self._conditions\n args_list = self._wrapper.args_list\n kwargs_list = self._wrapper.kwargs_list\n indice...
def x(self, *args, **kwargs): c = self._conditions call_count = self._wrapper.callCount if call_count in c['oncall']: index_list = [i for i, x in enumerate(c['oncall']) if x and not c[ 'args'][i] and not c['kwargs'][i]] for i in reversed(index_list): if call_count == c['oncall'][i]: return c['action'][i](*args, **kwargs) return c['default'](*args, **kwargs)
get_return_value_no_withargs
[ { "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 c = self._conditions\n call_count = self._wrapper.callCount\n if call_count in c['oncall']:\n index_list = [i for i, ...
def x(self, sinon_stub_condition, func): self._conditions['args'].append(sinon_stub_condition._cond_args) self._conditions['kwargs'].append(sinon_stub_condition._cond_kwargs) self._conditions['oncall'].append(sinon_stub_condition._oncall) self._conditions['action'].append(func)
append_condition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sinon_stub_condition, func):\n self._conditions['args'].append(sinon_stub_condition._cond_args)\n self._conditions['kwargs'].append(sinon_stub_cond...
def x(self, *args, **kwargs): cond_args = args if len(args) > 0 else None cond_kwargs = kwargs if len(kwargs) > 0 else None return _SinonStubCondition(copy=self._copy, cond_args=cond_args, cond_kwargs=cond_kwargs, oncall=self._oncall)
withArgs
[ { "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 cond_args = args if len(args) > 0 else None\n cond_kwargs = kwargs if len(kwargs) > 0 else None\n return _SinonStubCondition...
def x(self, n): cond_oncall = n + 1 return _SinonStubCondition(copy=self._copy, oncall=cond_oncall, cond_args=self._cond_args, cond_kwargs=self._cond_kwargs)
onCall
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, n):\n cond_oncall = n + 1\n return _SinonStubCondition(copy=self._copy, oncall=cond_oncall,\n cond_args=self._cond_args, cond_kwargs=self._c...
def x(self, exception=Exception): def x(*args, **kwargs): raise exception self._conditions['default'] = exception_function return self
throws
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, exception=Exception):\n\n def x(*args, **kwargs):\n raise exception\n self._conditions['default'] = exception_function\n return self\n", ...
def x(self, obj): self._copy._append_condition(self, lambda *args, **kwargs: obj) return self
returns
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj):\n self._copy._append_condition(self, lambda *args, **kwargs: obj)\n return self\n", "role": "user" }, { "content": "returns", ...
def x(self, exception=Exception): def x(*args, **kwargs): raise exception self._copy._append_condition(self, exception_function) return self
throws
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, exception=Exception):\n\n def x(*args, **kwargs):\n raise exception\n self._copy._append_condition(self, exception_function)\n return sel...
def x(api_path): return reduce(lambda val, func: func(val), [parameterize, underscore, camelize], unicode(api_path))
humanize_api_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(api_path):\n return reduce(lambda val, func: func(val), [parameterize, underscore,\n camelize], unicode(api_path))\n", "role": "user" }, { ...
def x(spec): for path_name, path_data in six.iteritems(spec['paths']): for path_cmd, cmd_data in six.iteritems(path_data): for param in cmd_data.get('parameters'): schema = param.get('schema') if (schema and '$ref' not in schema and MODEL_MARKER not in schema): model_name = camelize(cmd_data.get('operationId') ) or '%s%s' % (path_cmd.upper(), humanize_api_path( path_name)) schema[MODEL_MARKER] = '%s%s' % (model_name, MODEL_NAME_SUFFIX)
modeltag_nonref_schemas
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(spec):\n for path_name, path_data in six.iteritems(spec['paths']):\n for path_cmd, cmd_data in six.iteritems(path_data):\n for param in cm...
def x(spec, operids): empty_dict = {} for path_name, path_data in six.iteritems(spec['paths']): for method, method_data in six.iteritems(path_data): oper_id = operids.get(path_name, empty_dict).get(method) if oper_id: method_data['operationId'] = oper_id
assign_operation_ids
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(spec, operids):\n empty_dict = {}\n for path_name, path_data in six.iteritems(spec['paths']):\n for method, method_data in six.iteritems(path_data...
def x(self, printer: Optional[Printer]=None, align: int=ALIGN_CENTER, border: bool=False): if printer is None: printer = get_printer() table_string = self._get_pretty_table(indent=printer.indents_sum, align =align, border=border).get_string() if table_string != '': first_line = table_string.splitlines()[0] first_line_length = len(first_line) - len(re.findall(Printer. _ANSI_REGEXP, first_line)) * Printer._ANSI_COLOR_LENGTH if self.title_align == self.ALIGN_CENTER: title = '{}{}'.format(' ' * (first_line_length // 2 - len(self. title) // 2), self.title) elif self.title_align == self.ALIGN_LEFT: title = self.title else: title = '{}{}'.format(' ' * (first_line_length - len(self.title )), self.title) printer.write_line(printer.YELLOW + title) printer.write_line(table_string)
pretty_print
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, printer: Optional[Printer]=None, align: int=ALIGN_CENTER,\n border: bool=False):\n if printer is None:\n printer = get_printer()\n table_...
def x(self) ->List[List[str]]: return [list(d.values()) for d in self.data]
rows
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->List[List[str]]:\n return [list(d.values()) for d in self.data]\n", "role": "user" }, { "content": "rows", "role": "assistant" } ]
def x(self, column_name: str, size_limit: int): if self._column_size_map.get(column_name): self._column_size_map[column_name] = size_limit else: raise ValueError(f'There is no column named {column_name}!')
set_column_size_limit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, column_name: str, size_limit: int):\n if self._column_size_map.get(column_name):\n self._column_size_map[column_name] = size_limit\n else:\n...
def x(self, indent: int=0, align: int=ALIGN_CENTER, border: bool=False ) ->PrettyTable: rows = self.rows columns = self.columns if self._headers_color != Printer.NORMAL and len(rows) > 0 and len(columns ) > 0: rows[0] = rows[0][:] columns = columns[:] columns[0] = self._headers_color + columns[0] rows[0][0] = Printer.NORMAL + str(rows[0][0]) table = PrettyTable(columns, border=border, max_width=get_console_width () - indent) table.align = self._ALIGN_DICTIONARY[align] for row in rows: table.add_row(row) for column, max_width in self._column_size_map.items(): table.max_width[column] = max_width return table
get_pretty_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, indent: int=0, align: int=ALIGN_CENTER, border: bool=False\n ) ->PrettyTable:\n rows = self.rows\n columns = self.columns\n if self._headers_...
def x(self) ->str: table_string = self._get_pretty_table().get_html_string() title = ('{:^' + str(len(table_string.splitlines()[0])) + '}').format(self .title) return f'<center><h1>{title}</h1></center>{table_string}'
get_as_html
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->str:\n table_string = self._get_pretty_table().get_html_string()\n title = ('{:^' + str(len(table_string.splitlines()[0])) + '}').format(self\n ...
def x(self, output_file_path: Optional[str]=None) ->str: output = StringIO() if not output_file_path else open(output_file_path, 'w' ) try: csv_writer = csv.writer(output) csv_writer.writerow(self.columns) for row in self.rows: csv_writer.writerow(row) output.seek(0) return output.read() finally: output.close()
get_as_csv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, output_file_path: Optional[str]=None) ->str:\n output = StringIO() if not output_file_path else open(output_file_path, 'w'\n )\n try:\n ...
def x(self, when=None, action=None, **kwargs): if not when or when <= timezone.now(): self.do_scheduled_update(action, **kwargs) else: ctype = ContentType.objects.get_for_model(self.__class__) Schedule(content_type=ctype, object_args=self. get_scheduled_filter_args(), when=when, action=action, json_args=kwargs).save()
schedule
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, when=None, action=None, **kwargs):\n if not when or when <= timezone.now():\n self.do_scheduled_update(action, **kwargs)\n else:\n ct...
def x(self, action, **kwargs): action = getattr(self, action, None) if callable(action): return action(**kwargs) else: for k, v in kwargs.items(): setattr(self, k, v) self.save()
do_scheduled_update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, action, **kwargs):\n action = getattr(self, action, None)\n if callable(action):\n return action(**kwargs)\n else:\n for k, v in k...
def x(file_path): checksum = hashlib.md5() with open(file_path, 'rb') as f: for chunk in iter(lambda : f.read(128 * checksum.block_size), b''): checksum.update(chunk) return checksum.hexdigest()
get_md5_hash
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_path):\n checksum = hashlib.md5()\n with open(file_path, 'rb') as f:\n for chunk in iter(lambda : f.read(128 * checksum.block_size), b''):\n ...
def x(self): d = {} _add_value(d, 'obstory_ids', self.obstory_ids) _add_value(d, 'lat_min', self.lat_min) _add_value(d, 'lat_max', self.lat_max) _add_value(d, 'long_min', self.long_min) _add_value(d, 'long_max', self.long_max) _add_value(d, 'time_min', self.time_min) _add_value(d, 'time_max', self.time_max) _add_value(d, 'mime_type', self.mime_type) _add_value(d, 'skip', self.skip) _add_value(d, 'limit', self.limit) _add_string(d, 'semantic_type', self.semantic_type) _add_string(d, 'observation_type', self.observation_type) _add_value(d, 'observation_id', self.observation_id) _add_string(d, 'repository_fname', self.repository_fname) _add_boolean(d, 'exclude_imported', self.exclude_imported) _add_string(d, 'exclude_export_to', self.exclude_export_to) d['meta'] = list(x.as_dict() for x in self.meta_constraints) return d
as_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n d = {}\n _add_value(d, 'obstory_ids', self.obstory_ids)\n _add_value(d, 'lat_min', self.lat_min)\n _add_value(d, 'lat_max', self.lat_max)\...
def x(d): obstory_ids = _value_from_dict(d, 'obstory_ids') lat_min = _value_from_dict(d, 'lat_min') lat_max = _value_from_dict(d, 'lat_max') long_min = _value_from_dict(d, 'long_min') long_max = _value_from_dict(d, 'long_max') time_min = _value_from_dict(d, 'time_min') time_max = _value_from_dict(d, 'time_max') mime_type = _string_from_dict(d, 'mime_type') skip = _value_from_dict(d, 'skip', 0) limit = _value_from_dict(d, 'limit', 100) semantic_type = _string_from_dict(d, 'semantic_type') observation_type = _string_from_dict(d, 'observation_type') observation_id = _value_from_dict(d, 'observation_id') repository_fname = _string_from_dict(d, 'repository_fname') exclude_imported = _boolean_from_dict(d, 'exclude_imported') exclude_export_to = _string_from_dict(d, 'exclude_export_to') if 'meta' in d: meta_constraints = list(MetaConstraint.from_dict(x) for x in d['meta']) else: meta_constraints = [] return FileRecordSearch(obstory_ids=obstory_ids, lat_min=lat_min, lat_max=lat_max, long_min=long_min, long_max=long_max, time_min= time_min, time_max=time_max, mime_type=mime_type, semantic_type= semantic_type, observation_type=observation_type, observation_id= observation_id, repository_fname=repository_fname, meta_constraints =meta_constraints, limit=limit, skip=skip, exclude_imported= exclude_imported, exclude_export_to=exclude_export_to)
from_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(d):\n obstory_ids = _value_from_dict(d, 'obstory_ids')\n lat_min = _value_from_dict(d, 'lat_min')\n lat_max = _value_from_dict(d, 'lat_max')\n long...
def x(self): d = {} _add_string(d, 'obstory_name', self.obstory_name) _add_string(d, 'semantic_type', self.semantic_type) _add_value(d, 'time_min', self.time_min) _add_value(d, 'time_max', self.time_max) _add_string(d, 'group_id', self.group_id) _add_string(d, 'observation_id', self.observation_id) _add_value(d, 'skip', self.skip) _add_value(d, 'limit', self.limit) d['meta'] = list(x.as_dict() for x in self.meta_constraints) return d
as_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n d = {}\n _add_string(d, 'obstory_name', self.obstory_name)\n _add_string(d, 'semantic_type', self.semantic_type)\n _add_value(d, 'time_min...
def x(self): d = {} _add_value(d, 'obstory_ids', self.obstory_ids) _add_string(d, 'field_name', self.field_name) _add_value(d, 'lat_min', self.lat_min) _add_value(d, 'lat_max', self.lat_max) _add_value(d, 'long_min', self.long_min) _add_value(d, 'long_max', self.long_max) _add_value(d, 'time_min', self.time_min) _add_value(d, 'time_max', self.time_max) _add_string(d, 'item_id', self.item_id) _add_value(d, 'skip', self.skip) _add_value(d, 'limit', self.limit) _add_boolean(d, 'exclude_imported', self.exclude_imported) _add_string(d, 'exclude_export_to', self.exclude_export_to) return d
as_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n d = {}\n _add_value(d, 'obstory_ids', self.obstory_ids)\n _add_string(d, 'field_name', self.field_name)\n _add_value(d, 'lat_min', self.la...
def x(self): if isinstance(self.value, numbers.Number): return 'number' if isinstance(self.value, basestring): return 'string' return 'unknown'
type
[ { "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.value, numbers.Number):\n return 'number'\n if isinstance(self.value, basestring):\n return 'string'\n retur...
def x(self): current_position = self.file.tell() self.file.seek(self.position) data = self.file.read(self.length) self.file.seek(current_position) if self.length % 2: data += '\x00' return data
data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n current_position = self.file.tell()\n self.file.seek(self.position)\n data = self.file.read(self.length)\n self.file.seek(current_position...
def x(self, header, list_type=None): for chunk in self: if chunk.header == header and (list_type is None or header in list_headers and chunk.type == list_type): return chunk elif chunk.header in list_headers: try: result = chunk.find(header, list_type) return result except chunk.NotFound: pass if list_type is None: raise self.NotFound("Chunk '{0}' not found.".format(header)) else: raise self.NotFound("List '{0} {1}' not found.".format(header, list_type))
find
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, header, list_type=None):\n for chunk in self:\n if chunk.header == header and (list_type is None or header in\n list_headers and chu...
def x(self, header, list_type=None): found = [] for chunk in self: if chunk.header == header and (not list_type or header in list_headers and chunk.type == list_type): found.append(chunk) return found
find_all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, header, list_type=None):\n found = []\n for chunk in self:\n if chunk.header == header and (not list_type or header in\n list_hea...
def x(self, child, replacement): for i in range(len(self.chunks)): if self.chunks[i] == child: self.chunks[i] = replacement
replace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, child, replacement):\n for i in range(len(self.chunks)):\n if self.chunks[i] == child:\n self.chunks[i] = replacement\n", "role"...
def x(self, child): for i in range(len(self)): if self[i] == child: del self[i]
remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, child):\n for i in range(len(self)):\n if self[i] == child:\n del self[i]\n", "role": "user" }, { "content": "remove", ...
def x(data): header, length = struct.unpack('4s<I', data[:8]) data = data[8:] return RiffDataChunk(header, data)
from_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data):\n header, length = struct.unpack('4s<I', data[:8])\n data = data[8:]\n return RiffDataChunk(header, data)\n", "role": "user" }, { "...
def x(self): from django.conf.urls import patterns, url from views import DashboardWelcomeView urls = super(AdminMixin, self).get_urls() del urls[0] custom_url = patterns('', url('^$', self.admin_view( DashboardWelcomeView.as_view()), name='index')) return custom_url + urls
get_urls
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n from django.conf.urls import patterns, url\n from views import DashboardWelcomeView\n urls = super(AdminMixin, self).get_urls()\n del urls...
def x(dims): _ = divmod num_dims = len(dims) if num_dims == 0: return _zero_dim prod = [1] * num_dims acc = 1 domain = range(0, num_dims) for i in reversed(domain): prod[i] = acc acc *= dims[i] commands = [] coords = [] for i in domain: if i == num_dims - 1: commands.append('\tc' + text_type(i) + ' = index') else: commands.append('\tc' + text_type(i) + ', index = divmod(index, ' + text_type(prod[i]) + ')') coords.append('c' + text_type(i)) output = None if num_dims == 1: code = 'def output(index):\n' + '\n'.join(commands ) + '\n' + '\treturn ' + coords[0] + ',' else: code = 'def output(index):\n' + '\n'.join(commands ) + '\n' + '\treturn ' + ', '.join(coords) exec(code) return output
index_to_coordinate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dims):\n _ = divmod\n num_dims = len(dims)\n if num_dims == 0:\n return _zero_dim\n prod = [1] * num_dims\n acc = 1\n domain = range(0...
def x(self, io_select): offsets = [] new_dim = [] acc = 1 for i, d in reversed(enumerate(self.dims)): if not io_select[i]: new_dim.insert(0, d) offsets.insert(0, acc * io_select[i]) acc *= d if not new_dim: return ((c, self[c]) for c in self._all_combos()) else: output = [[None, Matrix(dims=new_dim)] for i in range(acc)] _groupby(self.cube, 0, offsets, 0, output, tuple(), []) return output
groupby
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, io_select):\n offsets = []\n new_dim = []\n acc = 1\n for i, d in reversed(enumerate(self.dims)):\n if not io_select[i]:\n ...
def x(self, method): for c in self._all_combos(): method(self[c], c, self.cube)
forall
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method):\n for c in self._all_combos():\n method(self[c], c, self.cube)\n", "role": "user" }, { "content": "forall", "role": "a...
def x(self): for c in self._all_combos(): _, value = _getitem(self.cube, c) yield c, value
items
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for c in self._all_combos():\n _, value = _getitem(self.cube, c)\n yield c, value\n", "role": "user" }, { "content": "ite...
def x(self): combos = _product(self.dims) if not combos: return calc = [(coalesce(_product(self.dims[i + 1:]), 1), mm) for i, mm in enumerate(self.dims)] for c in xrange(combos): yield tuple(int(c / dd) % mm for dd, mm in calc)
all_combos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n combos = _product(self.dims)\n if not combos:\n return\n calc = [(coalesce(_product(self.dims[i + 1:]), 1), mm) for i, mm in\n ...
def x(self, topic, message): if not message: Log.error('Expecting a message') message._prepare() if not self.connection: self.connect() producer = Producer(channel=self.connection, exchange=Exchange(self. settings.exchange, type='topic'), routing_key=topic) final_data = Data(payload=message.data, _meta=set_default({'exchange': self.settings.exchange, 'routing_key': message.routing_key, 'serializer': self.settings.serializer, 'sent': time_to_string( datetime.datetime.now(timezone(self.settings.broker_timezone))), 'count': self.count}, message.metadata)) producer.publish(jsons.scrub(final_data), serializer=self.settings. serializer) self.count += 1
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, topic, message):\n if not message:\n Log.error('Expecting a message')\n message._prepare()\n if not self.connection:\n self.connec...
def x(self, child): if isinstance(child, Comment): return if isinstance(child, Text) and not child.text.strip(): return super(Extends, self).add_child(child)
add_child
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, child):\n if isinstance(child, Comment):\n return\n if isinstance(child, Text) and not child.text.strip():\n return\n super(Extend...
def x(self, command): if self.closed: Log.error('database is closed') signal = _allocate_lock() signal.acquire() result = Data() trace = extract_stack(1) if self.get_trace else None if self.get_trace: current_thread = Thread.current() with self.locker: for t in self.available_transactions: if t.thread is current_thread: Log.error(DOUBLE_TRANSACTION_ERROR) self.queue.add(CommandItem(command, result, signal, trace, None)) signal.acquire() if result.exception: Log.error('Problem with Sqlite call', cause=result.exception) return result
query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, command):\n if self.closed:\n Log.error('database is closed')\n signal = _allocate_lock()\n signal.acquire()\n result = Data()\n tr...
def x(self): self.closed = True signal = _allocate_lock() signal.acquire() self.queue.add(CommandItem(COMMIT, None, signal, None, None)) signal.acquire() self.worker.please_stop.go() return
close
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.closed = True\n signal = _allocate_lock()\n signal.acquire()\n self.queue.add(CommandItem(COMMIT, None, signal, None, None))\n sig...
def x(self): state = None while True: state = self._handle_next_export_subtask(export_state=state) if state is None: return None elif state.export_task is None: return state
handle_next_export
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n state = None\n while True:\n state = self._handle_next_export_subtask(export_state=state)\n if state is None:\n return ...
def x(self, export_state=None): if export_state is None or export_state.export_task is None: export = self.db.get_next_entity_to_export() if export is not None: export_state = self.ExportState(export_task=export) else: return None try: auth = (export_state.export_task.target_user, export_state. export_task.target_password) target_url = export_state.export_task.target_url response = post(url=target_url, verify=False, json=export_state. entity_dict, auth=auth) response.raise_for_status() json = response.json() state = json['state'] if state == 'complete': return export_state.fully_processed() elif state == 'need_file_data': file_id = json['file_id'] file_record = self.db.get_file(repository_fname=file_id) if file_record is None: return export_state.failed() with open(self.db.file_path_for_id(file_id), 'rb') as file_content: multi = MultipartEncoder(fields={'file': ('file', file_content, file_record.mime_type)}) post(url='{0}/data/{1}/{2}'.format(target_url, file_id, file_record.file_md5), data=multi, verify=False, headers={'Content-Type': multi.content_type}, auth=auth) return export_state.partially_processed() elif state == 'continue': return export_state.partially_processed() else: return export_state.confused() except HTTPError: traceback.print_exc() return export_state.failed() except ConnectionError: traceback.print_exc() return export_state.failed()
handle_next_export_subtask
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, export_state=None):\n if export_state is None or export_state.export_task is None:\n export = self.db.get_next_entity_to_export()\n if e...
def x(template, options): for option, val in template.items(): if options and option in options: yield option, options[option] else: yield option, Default(template[option]['default'](os.environ))
extract_options_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(template, options):\n for option, val in template.items():\n if options and option in options:\n yield option, options[option]\n el...
def x(macho_file_path, modificator_func): if not os.path.isfile(macho_file_path): raise Exception('You must specify a real executable path as a target') return False m = MachO(macho_file_path) apply_to_headers(m, modificator_func) save_macho(m, macho_file_path) return True
modify_macho_file_headers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(macho_file_path, modificator_func):\n if not os.path.isfile(macho_file_path):\n raise Exception('You must specify a real executable path as a target'...
def x(self, as_cells=False): sheet_data = {} self.max_row = max(self.header_row_ix, self.formula_ref_row_ix) all_cells = self._cell_feed(row=self.max_row + 1, further_rows=True, col=self.header.first_column, max_col=self.header.last_column, return_empty=True) for wks_row in self._yield_rows(all_cells): if wks_row.row_num not in sheet_data and not wks_row.is_empty(): sheet_data[wks_row.row_num] = wks_row all_rows = sheet_data.keys() if all_rows: self.max_row = max(all_rows) indexed_sheet_data = {} for row, wks_row in sheet_data.iteritems(): if len(self.key_column_headers) == 0: if 'Key' in wks_row: logger.info("Assumed key column's header is 'Key'") self.key_column_headers = ['Key'] elif 'Key-1' in wks_row: self.key_column_headers = [h for h in wks_row.keys() if h. startswith('Key-') and h.split('-')[1].isdigit()] logger.info('Assumed key column headers were: %s', self. key_column_headers) else: raise Exception( 'Unable to read spreadsheet. Specifykey_column_headers when initializing Sheet object.' ) key_list = [] for key_hdr in self.key_column_headers: key_val = wks_row.db.get(key_hdr, '') if key_val.startswith("'"): key_val = key_val[1:] key_list.append(key_val) key_tuple = tuple(key_list) if all(k == '' for k in key_tuple): continue if as_cells: indexed_sheet_data[key_tuple] = wks_row else: if len(key_tuple) == 1: key_tuple = key_tuple[0] indexed_sheet_data[key_tuple] = wks_row.db return indexed_sheet_data
data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, as_cells=False):\n sheet_data = {}\n self.max_row = max(self.header_row_ix, self.formula_ref_row_ix)\n all_cells = self._cell_feed(row=self.max_...
def x(self, raw_data, row_change_callback=None): return self._update(raw_data, row_change_callback, delete_rows=True)
sync
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, raw_data, row_change_callback=None):\n return self._update(raw_data, row_change_callback, delete_rows=True)\n", "role": "user" }, { "conte...
def x(self, raw_data, row_change_callback=None): return self._update(raw_data, row_change_callback, delete_rows=False)
inject
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, raw_data, row_change_callback=None):\n return self._update(raw_data, row_change_callback, delete_rows=False)\n", "role": "user" }, { "cont...
def x(obj, prop): python_version = sys.version_info[0] if python_version == 3: unicode = str if prop and (isinstance(prop, str) or isinstance(prop, unicode)): if prop in dir(obj): if isinstance(getattr(obj, prop), FunctionType) or isinstance( getattr(obj, prop), BuiltinFunctionType) or inspect.ismethod( getattr(obj, prop)): return True else: ErrorHandler.prop_is_func_error(obj, prop) else: ErrorHandler.prop_in_obj_error(obj, prop) elif prop: ErrorHandler.prop_type_error(prop) return False
is_module_function
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, prop):\n python_version = sys.version_info[0]\n if python_version == 3:\n unicode = str\n if prop and (isinstance(prop, str) or isinstance...
def x(obj): return True if obj and isinstance(obj, ModuleType) or inspect.isclass(obj ) else False
is_module
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n return True if obj and isinstance(obj, ModuleType) or inspect.isclass(obj\n ) else False\n", "role": "user" }, { "content": "is_m...
def x(cls, apps): app_models = {} for model in apps.get_models(include_swapped=True): model_state = VersionedModelState.from_model(model) app_models[model_state.app_label, model_state.name.lower() ] = model_state return cls(app_models)
from_apps
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, apps):\n app_models = {}\n for model in apps.get_models(include_swapped=True):\n model_state = VersionedModelState.from_model(model)\n ...
def x(self, data, accepted_media_type=None, renderer_context=None): renderer_context = renderer_context or {} view = renderer_context['view'] request = renderer_context['request'] response = renderer_context['response'] extra_context = renderer_context['extra_context'] obj = view.get_object() if response.exception: template = self.get_exception_template(response) else: template_names = self.get_template_names(response, view) template = self.resolve_template(template_names) context = self.resolve_context(data, request, response) if response.exception: context.update({'template_extra_context': extra_context}) return template.render(context) new_data = {'type': 'FeatureCollection'} features = [] self.setup_icons_dict() try: popup_template = Template(getattr(obj, 'popup_template', None)) except TemplateSyntaxError as exception: popup_template = Template(exception) try: marker_template = Template(getattr(obj, 'marker_template', None)) except TemplateSyntaxError as exception: marker_template = Template(exception) if isinstance(data, dict): features.append(self.process_feature(data, popup_template, marker_template)) else: for feature in data: features.append(self.process_feature(feature, popup_template, marker_template)) new_data['features'] = features if 'latitude' and 'longitude' not in extra_context: try: extra_context['extents'] = self.determine_extents(features) except (StopIteration, BoundsError): pass ret = json.dumps(new_data, cls=self.encoder_class, ensure_ascii=True) if isinstance(ret, six.text_type): ret = bytes(ret.encode(self.charset)) context.update({'data': ret, 'markers': obj.markers, 'header': obj. template_header}) if 'geometry' in extra_context: extra_context['geometry'] = json.dumps(extra_context['geometry']. __geo_interface__) context.update({'template_extra_context': extra_context}) return template.render(context)
render
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, accepted_media_type=None, renderer_context=None):\n renderer_context = renderer_context or {}\n view = renderer_context['view']\n request ...
def x(self, tags): qs = self.filter(tags__name__in=tags).order_by('file').distinct() return qs
search_tags
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tags):\n qs = self.filter(tags__name__in=tags).order_by('file').distinct()\n return qs\n", "role": "user" }, { "content": "search_tags"...
def x(self): old_reverses = {'m2m': {}, 'reverse': {}} for reverse in self.clone_related: ctype, name, l = self._gather_reverse(reverse) old_reverses[ctype][reverse] = name, l return old_reverses
gather_reverses
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n old_reverses = {'m2m': {}, 'reverse': {}}\n for reverse in self.clone_related:\n ctype, name, l = self._gather_reverse(reverse)\n ...
def x(self, old_m2ms): for k, v in old_m2ms.items(): if v: setattr(self, k, v)
set_m2ms
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, old_m2ms):\n for k, v in old_m2ms.items():\n if v:\n setattr(self, k, v)\n", "role": "user" }, { "content": "set_m2ms", ...
def x(self, old_reverses): for ctype, reverses in old_reverses.items(): for parts in reverses.values(): sub_objs = parts[1] field_name = parts[0] attrs = {} for sub_obj in sub_objs: if ctype != 'm2m' and not attrs: field = sub_obj._meta.get_field(field_name) attrs = {field.column: getattr(self, field.rel.field_name)} sub_obj._clone(**attrs) if ctype == 'm2m': setattr(self, field_name, sub_objs)
clone_reverses
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, old_reverses):\n for ctype, reverses in old_reverses.items():\n for parts in reverses.values():\n sub_objs = parts[1]\n f...
def x(self, **attrs): with xact(): old_m2ms = self._gather_m2ms() old_reverses = self._gather_reverses() for k, v in attrs.items(): setattr(self, k, v) self.prep_for_clone() self.validate_unique() self.save(last_save=self.last_save) self._set_m2ms(old_m2ms) self.save(last_save=self.last_save) self._clone_reverses(old_reverses)
clone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **attrs):\n with xact():\n old_m2ms = self._gather_m2ms()\n old_reverses = self._gather_reverses()\n for k, v in attrs.items():\n...
def x(self): for reverse in self.clone_related: self._delete_reverse(reverse) for field in self._meta.local_many_to_many: if (field.rel.through and field.rel.through._meta.auto_created and not field.name in self.clone_related): man = getattr(self, field.name) man.clear()
delete_reverses
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for reverse in self.clone_related:\n self._delete_reverse(reverse)\n for field in self._meta.local_many_to_many:\n if (field.rel.t...
def x(self, *args, **kwargs): skip_reverses = kwargs.pop('skip_reverses', False) if not skip_reverses: self._delete_reverses() return super(Cloneable, self).delete(*args, **kwargs)
delete
[ { "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 skip_reverses = kwargs.pop('skip_reverses', False)\n if not skip_reverses:\n self._delete_reverses()\n return super(C...
def x(self, *args, **kwargs): self.last_save = kwargs.pop('last_save', timezone.now()) super(Cloneable, self).save(*args, **kwargs)
save
[ { "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 self.last_save = kwargs.pop('last_save', timezone.now())\n super(Cloneable, self).save(*args, **kwargs)\n", "role": "user" ...
def x(cls, related_name): if not hasattr(cls, '_clone_related'): cls._clone_related = [] if type(cls._clone_related) != type([]): cls._clone_related = list(cls._clone_related) if not related_name in cls._clone_related: cls._clone_related.append(related_name)
register_related
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, related_name):\n if not hasattr(cls, '_clone_related'):\n cls._clone_related = []\n if type(cls._clone_related) != type([]):\n cls._cl...
def x(cls, name, value): if name == '_base_manager': if not value.name: value.name = name value.model = cls setattr(cls._meta, 'base_manager_name', 'normal') else: super(VersionModelMeta, cls).add_to_class(name, value)
add_to_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, name, value):\n if name == '_base_manager':\n if not value.name:\n value.name = name\n value.model = cls\n setattr(cls....
def x(self, state=None, date=None): version_model = self._meta._version_model q = version_model.objects.filter(object_id=self.pk) if state: q = version_model.normal.filter(object_id=self.pk, state=state) if date: q = q.filter(date_published__lte=date) q = q.order_by('-date_published') results = q[:1] if results: return results[0] return None
get_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, state=None, date=None):\n version_model = self._meta._version_model\n q = version_model.objects.filter(object_id=self.pk)\n if state:\n q...
def x(self): assert self.state == self.DRAFT with xact(): self._publish(published=False) klass = self.get_version_class() for obj in klass.normal.filter(object_id=self.object_id, state=self .SCHEDULED): obj.delete()
unpublish
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n assert self.state == self.DRAFT\n with xact():\n self._publish(published=False)\n klass = self.get_version_class()\n for ob...
def x(self, user=None, when=None): assert self.state == self.DRAFT user_published = 'code' if user: user_published = user.username now = timezone.now() with xact(): published = False if getattr(self._meta, '_is_view', False): published = self.is_published else: published = self.object.is_published if not when and not published and self.last_scheduled: klass = self.get_version_class() for obj in klass.normal.filter(object_id=self.object_id, last_scheduled=self.last_scheduled, state=self.SCHEDULED): when = self.date_published obj.delete() when = when or now if self.state == self.DRAFT: self.last_scheduled = now self.date_published = when self.save(last_save=now) self._clone() self.user_published = user_published self.state = self.SCHEDULED self.save() self.schedule(when=when)
publish
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user=None, when=None):\n assert self.state == self.DRAFT\n user_published = 'code'\n if user:\n user_published = user.username\n now =...
def x(self): assert self.__class__ == self.get_version_class() if self.state == self.DRAFT: return with xact(): try: klass = self.get_version_class() old_draft = klass.normal.get(object_id=self.object_id, state= self.DRAFT) old_draft.delete() except klass.DoesNotExist: pass self.state = self.DRAFT self.last_save = self.last_scheduled self._clone()
make_draft
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n assert self.__class__ == self.get_version_class()\n if self.state == self.DRAFT:\n return\n with xact():\n try:\n kl...
def x(self): klass = self.get_version_class() qs = klass.normal.filter(object_id=self.object_id, state=self.ARCHIVED ).order_by('-last_save')[self.NUM_KEEP_ARCHIVED:] for obj in qs: obj._delete_reverses() klass.normal.filter(vid=obj.vid).delete()
purge_archives
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n klass = self.get_version_class()\n qs = klass.normal.filter(object_id=self.object_id, state=self.ARCHIVED\n ).order_by('-last_save')[self...
def x(self): date = self.date_published status = self.state.title() if self.state == self.DRAFT: status = 'Draft saved' date = self.last_save if date and self.last_save == self.last_scheduled: if self.v_last_save: if self.last_scheduled >= self.v_last_save: status = self.PUBLISHED.title() if self.last_scheduled > self.v_last_save: status = 'Publish Scheduled' else: status = 'Publish Scheduled' date = self.date_published if date: status = '%s: %s' % (status, formats.date_format(date, 'SHORT_DATE_FORMAT')) return status
status_line
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n date = self.date_published\n status = self.state.title()\n if self.state == self.DRAFT:\n status = 'Draft saved'\n date = self....
def x(self, when=None, action=None, **kwargs): action = '_publish' super(BaseVersionedModel, self).schedule(when=when, action=action, **kwargs )
schedule
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, when=None, action=None, **kwargs):\n action = '_publish'\n super(BaseVersionedModel, self).schedule(when=when, action=action, **kwargs\n )\n...
def x(self, *args, **kwargs): super(BaseVersionedModel, self).validate_unique(*args, **kwargs) if hasattr(self, 'versioned_unique'): unique_checks = [] for field in self.versioned_unique: unique_checks.append((self.__class__, (field,))) errors = self._perform_unique_checks(unique_checks) if errors: raise ValidationError(errors)
validate_unique
[ { "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 super(BaseVersionedModel, self).validate_unique(*args, **kwargs)\n if hasattr(self, 'versioned_unique'):\n unique_checks...
def x(self, *args, **kwargs): super(BaseVersionedModel, self).validate_unique(*args, **kwargs) if hasattr(self, 'versioned_unique'): errors = {} for field in self.versioned_unique: lookup_kwargs = {field: getattr(self, field)} qs = self.__class__._default_manager.filter(**lookup_kwargs) if self.object_id: qs = qs.exclude(object_id=self.object_id) if qs.exists(): msg = self.unique_error_message(self.__class__, (field,)) errors[field] = msg if errors: raise ValidationError(errors)
validate_unique
[ { "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 super(BaseVersionedModel, self).validate_unique(*args, **kwargs)\n if hasattr(self, 'versioned_unique'):\n errors = {}\n...
def x(self, *args, **kwargs): with xact(): if not self.vid: self.state = self.DRAFT if not self.object_id: base = self._meta._base_model(is_published=False) base.save(*args, **kwargs) self.object = base super(VersionModel, self).save(*args, **kwargs)
save
[ { "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 with xact():\n if not self.vid:\n self.state = self.DRAFT\n if not self.object_id:\n b...
def x(text, delim='-'): result = [] for word in _punct_re.split((text or '').lower()): result.extend(codecs.encode(word, 'ascii', 'replace').split()) return delim.join([str(r) for r in result])
slugify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, delim='-'):\n result = []\n for word in _punct_re.split((text or '').lower()):\n result.extend(codecs.encode(word, 'ascii', 'replace').split...
def x(): query_parser = current_app.config['COLLECTIONS_QUERY_PARSER'] if isinstance(query_parser, six.string_types): query_parser = import_string(query_parser) return query_parser
parser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n query_parser = current_app.config['COLLECTIONS_QUERY_PARSER']\n if isinstance(query_parser, six.string_types):\n query_parser = import_string...
def x(): return [(import_string(walker)() if isinstance(walker, six.string_types ) else walker()) for walker in current_app.config[ 'COLLECTIONS_QUERY_WALKERS']]
query_walkers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n return [(import_string(walker)() if isinstance(walker, six.string_types\n ) else walker()) for walker in current_app.config[\n 'COLLECTIO...
def x(cls, data): if sys.version_info > (3, 0): try: data = data.encode('utf-8') except AttributeError: pass length = AES.block_size - len(data) % AES.block_size data += bytes([length]) * length return data else: return data + (AES.block_size - len(data) % AES.block_size) * chr( AES.block_size - len(data) % AES.block_size)
pad
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, data):\n if sys.version_info > (3, 0):\n try:\n data = data.encode('utf-8')\n except AttributeError:\n pass\n ...
def x(cls, data): if sys.version_info > (3, 0): return data[:-ord(data[len(data) - 1:])].decode() else: return data[:-ord(data[len(data) - 1:])]
unpad
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, data):\n if sys.version_info > (3, 0):\n return data[:-ord(data[len(data) - 1:])].decode()\n else:\n return data[:-ord(data[len(data) ...
def x(self, raw): padded = AESCipher.pad(raw) init_vec = Random.new().read(AES.block_size) cipher = AES.new(self._key, AES.MODE_CBC, init_vec) return b64encode(init_vec + cipher.encrypt(padded))
encrypt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, raw):\n padded = AESCipher.pad(raw)\n init_vec = Random.new().read(AES.block_size)\n cipher = AES.new(self._key, AES.MODE_CBC, init_vec)\n re...
def x(self, encrypted): decoded = b64decode(encrypted) init_vec = decoded[:AES.block_size] cipher = AES.new(self._key, AES.MODE_CBC, init_vec) return AESCipher.unpad(cipher.decrypt(decoded[AES.block_size:]))
decrypt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, encrypted):\n decoded = b64decode(encrypted)\n init_vec = decoded[:AES.block_size]\n cipher = AES.new(self._key, AES.MODE_CBC, init_vec)\n re...
def x(lock_id, expiration=None): def x(function): def x(*args, **kwargs): try: lock = Lock.acquire_lock(lock_id, expiration) except LockError: pass else: logger.debug('acquired lock: %s' % lock_id) try: return function(*args, **kwargs) except: raise finally: lock.release() return wraps(function)(wrapper) return inner_decorator
simple_locking
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lock_id, expiration=None):\n\n def x(function):\n\n def x(*args, **kwargs):\n try:\n lock = Lock.acquire_lock(lock_id, expi...
def x(source_key, rownum, line, source, sample_only_filter, sample_size): value = json2value(line) if rownum == 0: if len(line) > MAX_RECORD_LENGTH: _shorten(source_key, value, source) value = _fix(value) if sample_only_filter and Random.int(int(1.0 / coalesce(sample_size, 0.01))) != 0 and jx.filter([value], sample_only_filter): if value.etl.id != 0: Log.error('Expecting etl.id==0') row = {'value': value} return row, True elif len(line) > MAX_RECORD_LENGTH: _shorten(source_key, value, source) value = _fix(value) elif '"resource_usage":' in line: value = _fix(value) row = {'value': value} return row, False
fix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source_key, rownum, line, source, sample_only_filter, sample_size):\n value = json2value(line)\n if rownum == 0:\n if len(line) > MAX_RECORD_LENGT...
def x(self, keys, source, sample_only_filter=None, sample_size=None, done_copy=None): num_keys = 0 queue = None pending = [] for key in keys: timer = Timer('Process {{key}}', param={'key': key}, silent=not DEBUG) try: with timer: for rownum, line in enumerate(source.read_lines( strip_extension(key))): if not line: continue if rownum > 0 and rownum % 1000 == 0: Log.note( 'Ingested {{num}} records from {{key}} in bucket {{bucket}}' , num=rownum, key=key, bucket=source.name) insert_me, please_stop = fix(key, rownum, line, source, sample_only_filter, sample_size) if insert_me == None: continue value = insert_me['value'] if '_id' not in value: Log.warning( 'expecting an _id in all S3 records. If missing, there can be duplicates' ) if queue == None: queue = self._get_queue(insert_me) if queue == None: pending.append(insert_me) if len(pending) > 1000: if done_copy: done_copy() Log.error( 'first 1000 (key={{key}}) records for {{alias}} have no indication what index to put data' , key=tuple(keys)[0], alias=self. settings.index) continue elif queue is DATA_TOO_OLD: break if pending: queue.extend(pending) pending = [] num_keys += 1 queue.add(insert_me) if please_stop: break except Exception as e: if KEY_IS_WRONG_FORMAT in e: Log.warning( 'Could not process {{key}} because bad format. Never trying again.' , key=key, cause=e) pass elif CAN_NOT_DECODE_JSON in e: Log.warning( 'Could not process {{key}} because of bad JSON. Never trying again.' , key=key, cause=e) pass else: Log.warning( 'Could not process {{key}} after {{duration|round(places=2)}}seconds' , key=key, duration=timer.duration.seconds, cause=e) done_copy = None if done_copy: if queue == None: done_copy() elif queue is DATA_TOO_OLD: done_copy() else: queue.add(done_copy) if [p for p in pending if wrap(p).value.task.state not in ('failed', 'exception')]: Log.error( 'Did not find an index for {{alias}} to place the data for key={{key}}' , key=tuple(keys)[0], alias=self.settings.index) Log.note('{{num}} keys from {{key|json}} added', num=num_keys, key=keys) return num_keys
copy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, keys, source, sample_only_filter=None, sample_size=None,\n done_copy=None):\n num_keys = 0\n queue = None\n pending = []\n for key in keys...
def x(): if 'MICROMONGO_URI' in os.environ: return os.environ['MICROMONGO_URI'], host = os.environ.get('MICROMONGO_HOST', 'localhost') port = int(os.environ.get('MICROMONGO_PORT', 27017)) return host, port
from_env
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if 'MICROMONGO_URI' in os.environ:\n return os.environ['MICROMONGO_URI'],\n host = os.environ.get('MICROMONGO_HOST', 'localhost')\n port =...
def x(self, *fields): doc = [] for field in fields: if field.startswith('-'): doc.append((field.strip('-'), pymongo.DESCENDING)) else: doc.append((field, pymongo.ASCENDING)) return self.sort(doc)
order_by
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *fields):\n doc = []\n for field in fields:\n if field.startswith('-'):\n doc.append((field.strip('-'), pymongo.DESCENDING))\n ...
def x(self): if self.__tailable: return PymongoCursor.next(self) try: ret = PymongoCursor.next(self) except StopIteration: self.__fullcache = True raise self.__itercache.append(ret) return ret
next
[ { "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.__tailable:\n return PymongoCursor.next(self)\n try:\n ret = PymongoCursor.next(self)\n except StopIteration:\n ...
def x(text): def x(m): if m.group(0) == '$$': return '$' raise HasExprException() return _dollar_strip_re.sub(_sub, text)
strip_dollars_fast
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text):\n\n def x(m):\n if m.group(0) == '$$':\n return '$'\n raise HasExprException()\n return _dollar_strip_re.sub(_sub, text)\...
def x(ast_node, first_lineno, first_offset): line_delta = first_lineno - 1 def x(node): if 'lineno' in node._attributes: lineno = node.lineno col = node.col_offset if lineno == 1: col += first_offset lineno += line_delta node.lineno = lineno node.col_offset = col for child in iter_child_nodes(node): _fix(child) _fix(ast_node)
adjust_locations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ast_node, first_lineno, first_offset):\n line_delta = first_lineno - 1\n\n def x(node):\n if 'lineno' in node._attributes:\n lineno = n...
def x(tree): coalesce_all_outputs = True if coalesce_all_outputs: should_coalesce = lambda n: True else: should_coalesce = lambda n: n.output_args[0].__class__ is Str class OutputCoalescer(NodeVisitor): def x(self, node): if hasattr(node, 'body') and isinstance(node.body, Iterable): new_body = [] output_node = None def x(): if output_node: output_node.value.args[:] = coalesce_strings( output_node.value.args) for i in node.body: if hasattr(i, 'output_args') and should_coalesce(i): if output_node: if len(output_node.value.args) + len(i.output_args ) > 250: coalesce_strs() output_node = i else: output_node.value.args.extend(i.output_args) continue output_node = i else: coalesce_strs() output_node = None new_body.append(i) coalesce_strs() node.body[:] = new_body NodeVisitor.visit(self, node) def x(self, node): if not ast_equals(node.func, NameX('__TK__output')): return for i in range(len(node.args)): arg1 = node.args[i] if not arg1.__class__.__name__ == 'Call': continue if not ast_equals(arg1.func, NameX('__TK__escape')): continue if len(arg1.args) != 1: continue arg2 = arg1.args[0] if not arg2.__class__.__name__ == 'Call': continue if not ast_equals(arg2.func, NameX('literal')): continue if len(arg2.args) != 1: continue node.args[i] = arg2.args[0] def x(self, node): self.check(node) self.generic_visit(node) OutputCoalescer().visit(tree)
coalesce_outputs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tree):\n coalesce_all_outputs = True\n if coalesce_all_outputs:\n should_coalesce = lambda n: True\n else:\n should_coalesce = lambda n:...
def x(node): def x(node): if 'lineno' in node._attributes and hasattr(node, 'lineno'): del node.lineno if 'col_offset' in node._attributes and hasattr(node, 'col_offset'): del node.col_offset for child in iter_child_nodes(node): fix(child) fix(node)
remove_locations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node):\n\n def x(node):\n if 'lineno' in node._attributes and hasattr(node, 'lineno'):\n del node.lineno\n if 'col_offset' in node....
def x(self, data): self._read_buffer += data while self._read_buffer: box = self.factory.app.box_class() ret = box.unpack(self._read_buffer) if ret == 0: return elif ret > 0: box_data = self._read_buffer[:ret] self._read_buffer = self._read_buffer[ret:] safe_call(self._on_read_complete, box_data, box) continue else: logger.error('buffer invalid. ret: %d, read_buffer: %r', ret, self._read_buffer) self._read_buffer = '' return
dataReceived
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n self._read_buffer += data\n while self._read_buffer:\n box = self.factory.app.box_class()\n ret = box.unpack(self._read_buff...