source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(transactional_resource_class, resource_name, reference_value_from=None): def x(cls): if not issubclass(cls, RequiredConfig): raise Exception('%s must have RequiredConfig as a base class' % cls ) new_req = cls.get_required_config() new_req.namespace(resource_name) new_req[resource_name].add_option('%s_class' % resource_name, default=transactional_resource_class, from_string_converter= class_converter, reference_value_from=reference_value_from) new_req[resource_name].add_option('%s_transaction_executor_class' % resource_name, default= 'crontabber.transaction_executor.TransactionExecutor', doc= 'a class that will execute transactions', from_string_converter =class_converter, reference_value_from=reference_value_from) cls.required_config = new_req def x(self, *args, **kwargs): super(cls, self).__init__(*args, **kwargs) setattr(self, '%s_connection_factory' % resource_name, self. config[resource_name]['%s_class' % resource_name](self. config[resource_name])) setattr(self, '%s_transaction_executor' % resource_name, self. config[resource_name]['%s_transaction_executor_class' % resource_name](self.config[resource_name], getattr(self, '%s_connection_factory' % resource_name))) if hasattr(cls, '__init__'): original_init = cls.__init__ def x(self, *args, **kwargs): new__init__(self, *args, **kwargs) return original_init(self, *args, **kwargs) cls.__init__ = both_inits else: cls.__init__ = new__init__ return cls return class_decorator
with_transactional_resource
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(transactional_resource_class, resource_name, reference_value_from=None):\n\n def x(cls):\n if not issubclass(cls, RequiredConfig):\n raise Exception('%s must have RequiredConfig as a base class' % cls\n )\n new_req = cls.get_required_config()\n new_req.namespace(resource_name)\n new_req[resource_name].add_option('%s_class' % resource_name,\n default=transactional_resource_class, from_string_converter=\n class_converter, reference_value_from=reference_value_from)\n new_req[resource_name].add_option('%s_transaction_executor_class' %\n resource_name, default=\n 'crontabber.transaction_executor.TransactionExecutor', doc=\n 'a class that will execute transactions', from_string_converter\n =class_converter, reference_value_from=reference_value_from)\n cls.required_config = new_req\n\n def x(self, *args, **kwargs):\n super(cls, self).__init__(*args, **kwargs)\n setattr(self, '%s_connection_factory' % resource_name, self.\n config[resource_name]['%s_class' % resource_name](self.\n config[resource_name]))\n setattr(self, '%s_transaction_executor' % resource_name, self.\n config[resource_name]['%s_transaction_executor_class' %\n resource_name](self.config[resource_name], getattr(self, \n '%s_connection_factory' % resource_name)))\n if hasattr(cls, '__init__'):\n original_init = cls.__init__\n\n def x(self, *args, **kwargs):\n new__init__(self, *args, **kwargs)\n return original_init(self, *args, **kwargs)\n cls.__init__ = both_inits\n else:\n cls.__init__ = new__init__\n return cls\n return class_decorator\n", "role": "user" }, { "content": "with_transactional_resource", "role": "assistant" } ]
def x(resource_name): connection_factory_attr_name = '%s_connection_factory' % resource_name def x(cls): def x(self, *args, **kwargs): factory = getattr(self, connection_factory_attr_name) with factory() as connection: try: self.run(connection, *args, **kwargs) finally: factory.close_connection(connection, force=True) cls._run_proxy = _run_proxy return cls return class_decorator
with_resource_connection_as_argument
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(resource_name):\n connection_factory_attr_name = '%s_connection_factory' % resource_name\n\n def x(cls):\n\n def x(self, *args, **kwargs):\n factory = getattr(self, connection_factory_attr_name)\n with factory() as connection:\n try:\n self.run(connection, *args, **kwargs)\n finally:\n factory.close_connection(connection, force=True)\n cls._run_proxy = _run_proxy\n return cls\n return class_decorator\n", "role": "user" }, { "content": "with_resource_connection_as_argument", "role": "assistant" } ]
def x(resource_name): transaction_executor_attr_name = '%s_transaction_executor' % resource_name def x(cls): def x(self, *args, **kwargs): getattr(self, transaction_executor_attr_name)(self.run, *args, **kwargs) cls._run_proxy = _run_proxy return cls return class_decorator
with_single_transaction
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(resource_name):\n transaction_executor_attr_name = '%s_transaction_executor' % resource_name\n\n def x(cls):\n\n def x(self, *args, **kwargs):\n getattr(self, transaction_executor_attr_name)(self.run, *args,\n **kwargs)\n cls._run_proxy = _run_proxy\n return cls\n return class_decorator\n", "role": "user" }, { "content": "with_single_transaction", "role": "assistant" } ]
def x(cls): def x(self, command, input=None): if isinstance(command, (tuple, list)): command = ' '.join('"%s"' % x for x in command) proc = subprocess.Popen(command, shell=True, stdout=subprocess.PIPE, stderr=subprocess.PIPE) out, err = proc.communicate(input=input) return proc.returncode, out.strip(), err.strip() cls.run_process = run_process return cls
with_subprocess
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n\n def x(self, command, input=None):\n if isinstance(command, (tuple, list)):\n command = ' '.join('\"%s\"' % x for x in command)\n proc = subprocess.Popen(command, shell=True, stdout=subprocess.PIPE,\n stderr=subprocess.PIPE)\n out, err = proc.communicate(input=input)\n return proc.returncode, out.strip(), err.strip()\n cls.run_process = run_process\n return cls\n", "role": "user" }, { "content": "with_subprocess", "role": "assistant" } ]
def x(reference_namespace={}, template_for_namespace='class-%(name)s', list_splitter_fn=_default_list_splitter, class_extractor= _default_class_extractor, extra_extractor=_default_extra_extractor): def x(class_list_str): if isinstance(class_list_str, basestring): class_str_list = list_splitter_fn(class_list_str) else: raise TypeError('must be derivative of a basestring') class InnerClassList(RequiredConfig): """This nested class is a proxy list for the classes. It collects all the config requirements for the listed classes and places them each into their own Namespace. """ required_config = Namespace() subordinate_namespace_names = [] namespace_template = template_for_namespace original_input = class_list_str.replace('\n', '\\n') class_list = [] for namespace_index, class_list_element in enumerate(class_str_list ): try: a_class = class_converter(class_extractor( class_list_element)) except CannotConvertError: raise JobNotFoundError(class_list_element) class_list.append((a_class.__name__, a_class)) namespace_name_dict = {'name': a_class.__name__, 'index': namespace_index} namespace_name = template_for_namespace % namespace_name_dict subordinate_namespace_names.append(namespace_name) required_config.namespace(namespace_name) a_class_namespace = required_config[namespace_name] try: extra_options = extra_extractor(class_list_element) a_class_namespace.update(extra_options) except NotImplementedError: pass try: for k, v in a_class.get_required_config().iteritems(): if k not in reference_namespace: a_class_namespace[k] = v except AttributeError: pass @classmethod def x(cls): return cls.original_input return InnerClassList return class_list_converter
classes_in_namespaces_converter_with_compression
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(reference_namespace={}, template_for_namespace='class-%(name)s',\n list_splitter_fn=_default_list_splitter, class_extractor=\n _default_class_extractor, extra_extractor=_default_extra_extractor):\n\n def x(class_list_str):\n if isinstance(class_list_str, basestring):\n class_str_list = list_splitter_fn(class_list_str)\n else:\n raise TypeError('must be derivative of a basestring')\n\n\n class InnerClassList(RequiredConfig):\n \"\"\"This nested class is a proxy list for the classes. It collects\n all the config requirements for the listed classes and places them\n each into their own Namespace.\n \"\"\"\n required_config = Namespace()\n subordinate_namespace_names = []\n namespace_template = template_for_namespace\n original_input = class_list_str.replace('\\n', '\\\\n')\n class_list = []\n for namespace_index, class_list_element in enumerate(class_str_list\n ):\n try:\n a_class = class_converter(class_extractor(\n class_list_element))\n except CannotConvertError:\n raise JobNotFoundError(class_list_element)\n class_list.append((a_class.__name__, a_class))\n namespace_name_dict = {'name': a_class.__name__, 'index':\n namespace_index}\n namespace_name = template_for_namespace % namespace_name_dict\n subordinate_namespace_names.append(namespace_name)\n required_config.namespace(namespace_name)\n a_class_namespace = required_config[namespace_name]\n try:\n extra_options = extra_extractor(class_list_element)\n a_class_namespace.update(extra_options)\n except NotImplementedError:\n pass\n try:\n for k, v in a_class.get_required_config().iteritems():\n if k not in reference_namespace:\n a_class_namespace[k] = v\n except AttributeError:\n pass\n\n @classmethod\n def x(cls):\n return cls.original_input\n return InnerClassList\n return class_list_converter\n", "role": "user" }, { "content": "classes_in_namespaces_converter_with_compression", "role": "assistant" } ]
def x(value): try: h, m = value.split(':') h = int(h) m = int(m) if h >= 24 or h < 0: raise ValueError if m >= 60 or m < 0: raise ValueError except ValueError: raise TimeDefinitionError('Invalid definition of time %r' % value)
check_time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n try:\n h, m = value.split(':')\n h = int(h)\n m = int(m)\n if h >= 24 or h < 0:\n raise ValueError\n if m >= 60 or m < 0:\n raise ValueError\n except ValueError:\n raise TimeDefinitionError('Invalid definition of time %r' % value)\n", "role": "user" }, { "content": "check_time", "role": "assistant" } ]
def x(self): keys = [] for app_name, __ in self.items(): keys.append(app_name) return keys
keys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n keys = []\n for app_name, __ in self.items():\n keys.append(app_name)\n return keys\n", "role": "user" }, { "content": "keys", "role": "assistant" } ]
def x(self): sql = """ SELECT app_name, next_run, first_run, last_run, last_success, depends_on, error_count, last_error FROM crontabber""" columns = ('app_name', 'next_run', 'first_run', 'last_run', 'last_success', 'depends_on', 'error_count', 'last_error') items = [] for record in self.transaction_executor(execute_query_fetchall, sql): row = dict(zip(columns, record)) items.append((row.pop('app_name'), row)) return items
items
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n sql = \"\"\"\n SELECT\n app_name,\n next_run,\n first_run,\n last_run,\n last_success,\n depends_on,\n error_count,\n last_error\n FROM crontabber\"\"\"\n columns = ('app_name', 'next_run', 'first_run', 'last_run',\n 'last_success', 'depends_on', 'error_count', 'last_error')\n items = []\n for record in self.transaction_executor(execute_query_fetchall, sql):\n row = dict(zip(columns, record))\n items.append((row.pop('app_name'), row))\n return items\n", "role": "user" }, { "content": "items", "role": "assistant" } ]
def x(self): values = [] for __, data in self.items(): values.append(data) return values
values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n values = []\n for __, data in self.items():\n values.append(data)\n return values\n", "role": "user" }, { "content": "values", "role": "assistant" } ]
def x(self, key, default=_marker): try: popped = self[key] del self[key] return popped except KeyError: if default == _marker: raise return default
pop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, default=_marker):\n try:\n popped = self[key]\n del self[key]\n return popped\n except KeyError:\n if default == _marker:\n raise\n return default\n", "role": "user" }, { "content": "pop", "role": "assistant" } ]
def x(self, stream=sys.stdout): warnings = [] criticals = [] for class_name, job_class in self.config.crontabber.jobs.class_list: if job_class.app_name in self.job_state_database: info = self.job_state_database.get(job_class.app_name) if not info.get('error_count', 0): continue error_count = info['error_count'] serialized = '%s (%s) | %s | %s' % (job_class.app_name, class_name, info['last_error']['type'], info['last_error'][ 'value']) if error_count == 1 and hasattr(job_class, '_is_backfill_app'): warnings.append(serialized) else: criticals.append(serialized) if criticals: stream.write('CRITICAL - ') stream.write('; '.join(criticals)) stream.write('\n') return 2 elif warnings: stream.write('WARNING - ') stream.write('; '.join(warnings)) stream.write('\n') return 1 stream.write('OK - All systems nominal') stream.write('\n') return 0
nagios
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stream=sys.stdout):\n warnings = []\n criticals = []\n for class_name, job_class in self.config.crontabber.jobs.class_list:\n if job_class.app_name in self.job_state_database:\n info = self.job_state_database.get(job_class.app_name)\n if not info.get('error_count', 0):\n continue\n error_count = info['error_count']\n serialized = '%s (%s) | %s | %s' % (job_class.app_name,\n class_name, info['last_error']['type'], info['last_error'][\n 'value'])\n if error_count == 1 and hasattr(job_class, '_is_backfill_app'):\n warnings.append(serialized)\n else:\n criticals.append(serialized)\n if criticals:\n stream.write('CRITICAL - ')\n stream.write('; '.join(criticals))\n stream.write('\\n')\n return 2\n elif warnings:\n stream.write('WARNING - ')\n stream.write('; '.join(warnings))\n stream.write('\\n')\n return 1\n stream.write('OK - All systems nominal')\n stream.write('\\n')\n return 0\n", "role": "user" }, { "content": "nagios", "role": "assistant" } ]
def x(self, description): class_list = self.config.crontabber.jobs.class_list class_list = self._reorder_class_list(class_list) for class_name, job_class in class_list: if (job_class.app_name == description or description == job_class. __module__ + '.' + job_class.__name__): if job_class.app_name in self.job_state_database: self.config.logger.info('App reset') self.job_state_database.pop(job_class.app_name) else: self.config.logger.warning('App already reset') return raise JobNotFoundError(description)
reset_job
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, description):\n class_list = self.config.crontabber.jobs.class_list\n class_list = self._reorder_class_list(class_list)\n for class_name, job_class in class_list:\n if (job_class.app_name == description or description == job_class.\n __module__ + '.' + job_class.__name__):\n if job_class.app_name in self.job_state_database:\n self.config.logger.info('App reset')\n self.job_state_database.pop(job_class.app_name)\n else:\n self.config.logger.warning('App already reset')\n return\n raise JobNotFoundError(description)\n", "role": "user" }, { "content": "reset_job", "role": "assistant" } ]
def x(self, class_, time_): app_name = class_.app_name try: info = self.job_state_database[app_name] except KeyError: if time_: h, m = [int(x) for x in time_.split(':')] now = utc_now() if now.hour > h: return True elif now.hour == h and now.minute >= m: return True return False else: return True next_run = info['next_run'] if not next_run: return bool(info['ongoing']) if next_run < utc_now(): return True return False
time_to_run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, class_, time_):\n app_name = class_.app_name\n try:\n info = self.job_state_database[app_name]\n except KeyError:\n if time_:\n h, m = [int(x) for x in time_.split(':')]\n now = utc_now()\n if now.hour > h:\n return True\n elif now.hour == h and now.minute >= m:\n return True\n return False\n else:\n return True\n next_run = info['next_run']\n if not next_run:\n return bool(info['ongoing'])\n if next_run < utc_now():\n return True\n return False\n", "role": "user" }, { "content": "time_to_run", "role": "assistant" } ]
def x(self, js_module_name=JS_MODULE_NAME, js_template= JS_ES6_IMPORT_EXPORT_TEMPLATE, js_indent=JS_INDENTATION): language = [] refs = [] classes = {'Grammar'} indent = 0 cname = self.__class__.__name__ if 'import ' in js_template else None for name in self._order: elem = getattr(self, name, None) if not isinstance(elem, Element): continue if not hasattr(elem, '_export_js'): continue language.append('{indent}{var} {name} = {value};'.format(indent= js_indent, name=name, var='static' if cname else 'var', value= elem._export_js(js_indent, indent, classes, cname))) for name, ref in self._refs.items(): refs.append('{pre}{name}.set({value});'.format(pre='{}.'.format( cname) if cname else js_indent, name=name, value=ref._element. _export_js(js_indent, -1 if cname else indent, classes, cname))) if 'Rule' in classes: classes.remove('Rule') return js_template.format(name=self.__class__.__name__, indent= js_indent, js_module=js_module_name, datetime=time.strftime( '%Y-%m-%d %H:%M:%S', time.localtime()), language='\n'.join(language ), refs='\n{}'.format('\n'.join(refs)), arguments=',\n'.join(map(lambda s: js_indent * 3 + s, classes)), re_keywords=self.RE_KEYWORDS. pattern.replace('\\', '\\\\'), classes=', '.join(classes), constructors=',\n'.join(map(lambda s: js_indent + s, ['.'.join([ 'window', js_module_name, n]) for n in classes])))
export_js
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, js_module_name=JS_MODULE_NAME, js_template=\n JS_ES6_IMPORT_EXPORT_TEMPLATE, js_indent=JS_INDENTATION):\n language = []\n refs = []\n classes = {'Grammar'}\n indent = 0\n cname = self.__class__.__name__ if 'import ' in js_template else None\n for name in self._order:\n elem = getattr(self, name, None)\n if not isinstance(elem, Element):\n continue\n if not hasattr(elem, '_export_js'):\n continue\n language.append('{indent}{var} {name} = {value};'.format(indent=\n js_indent, name=name, var='static' if cname else 'var', value=\n elem._export_js(js_indent, indent, classes, cname)))\n for name, ref in self._refs.items():\n refs.append('{pre}{name}.set({value});'.format(pre='{}.'.format(\n cname) if cname else js_indent, name=name, value=ref._element.\n _export_js(js_indent, -1 if cname else indent, classes, cname)))\n if 'Rule' in classes:\n classes.remove('Rule')\n return js_template.format(name=self.__class__.__name__, indent=\n js_indent, js_module=js_module_name, datetime=time.strftime(\n '%Y-%m-%d %H:%M:%S', time.localtime()), language='\\n'.join(language\n ), refs='\\n{}'.format('\\n'.join(refs)), arguments=',\\n'.join(map(lambda\n s: js_indent * 3 + s, classes)), re_keywords=self.RE_KEYWORDS.\n pattern.replace('\\\\', '\\\\\\\\'), classes=', '.join(classes),\n constructors=',\\n'.join(map(lambda s: js_indent + s, ['.'.join([\n 'window', js_module_name, n]) for n in classes])))\n", "role": "user" }, { "content": "export_js", "role": "assistant" } ]
def x(self, py_module_name=PY_MODULE_NAME, py_template=PY_TEMPLATE, py_indent=PY_INDENTATION): language = [] classes = {'Grammar'} indent = 0 for name in self._order: elem = getattr(self, name, None) if not isinstance(elem, Element): continue if not hasattr(elem, '_export_py'): continue language.append('{indent}{name} = {value}'.format(indent=py_indent, name=name, value=elem._export_py(py_indent, indent, classes))) for name, ref in self._refs.items(): language.append('{indent}{name} = {value}'.format(indent=py_indent, name=name, value=ref._element._export_py(py_indent, indent, classes))) return py_template.format(name=self.__class__.__name__, indent= py_indent, py_module=py_module_name, datetime=time.strftime( '%Y-%m-%d %H:%M:%S', time.localtime()), language='\n'.join(language ), re_keywords=self.RE_KEYWORDS.pattern.replace('\\', '\\\\'), imports='\n'.join(map(lambda s: s, [' '.join(['from', py_module_name, 'import', n]) for n in classes if n != 'Rule'])))
export_py
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, py_module_name=PY_MODULE_NAME, py_template=PY_TEMPLATE,\n py_indent=PY_INDENTATION):\n language = []\n classes = {'Grammar'}\n indent = 0\n for name in self._order:\n elem = getattr(self, name, None)\n if not isinstance(elem, Element):\n continue\n if not hasattr(elem, '_export_py'):\n continue\n language.append('{indent}{name} = {value}'.format(indent=py_indent,\n name=name, value=elem._export_py(py_indent, indent, classes)))\n for name, ref in self._refs.items():\n language.append('{indent}{name} = {value}'.format(indent=py_indent,\n name=name, value=ref._element._export_py(py_indent, indent,\n classes)))\n return py_template.format(name=self.__class__.__name__, indent=\n py_indent, py_module=py_module_name, datetime=time.strftime(\n '%Y-%m-%d %H:%M:%S', time.localtime()), language='\\n'.join(language\n ), re_keywords=self.RE_KEYWORDS.pattern.replace('\\\\', '\\\\\\\\'),\n imports='\\n'.join(map(lambda s: s, [' '.join(['from',\n py_module_name, 'import', n]) for n in classes if n != 'Rule'])))\n", "role": "user" }, { "content": "export_py", "role": "assistant" } ]
def x(self, target=C_TARGET, c_indent=C_INDENTATION, headerf=None): language = [] indent = 0 enums = set() for name in self._order: elem = getattr(self, name, None) if not isinstance(elem, Element): continue if not hasattr(elem, '_export_c'): continue language.append('{indent}cleri_t * {name} = {value};'.format(indent =c_indent, name=name, value=elem._export_c(c_indent, indent, enums))) for name, ref in self._refs.items(): language.append('{indent}cleri_ref_set({name}, {value});'.format( indent=c_indent, name=name, value=ref._element._export_c( c_indent, indent, enums, ref))) pattern = self.RE_KEYWORDS.pattern.replace('\\', '\\\\') if not pattern.startswith('^'): pattern = '^' + pattern enums = ',\n'.join(['{}{}'.format(c_indent, gid) for gid in sorted(enums)] ) + ',' header_file = '"{}.h"'.format(target) if headerf is None else headerf fun = target.strip('/').replace('/', '_') return self.__class__.C_TEMPLATE_C.format(name=self.__class__.__name__, target=target, header_file=header_file, fun=fun, indent=c_indent, datetime=time.strftime('%Y-%m-%d %H:%M:%S', time.localtime()), language='\n'.join(language), re_keywords=pattern ), self.__class__.C_TEMPLATE_H.format(name=self.__class__.__name__, target=target, fun=fun, guard=target.upper().replace('/', '_'). replace('\\', '_'), datetime=time.strftime('%Y-%m-%d %H:%M:%S', time.localtime()), language='\n'.join(language), enums=enums)
export_c
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, target=C_TARGET, c_indent=C_INDENTATION, headerf=None):\n language = []\n indent = 0\n enums = set()\n for name in self._order:\n elem = getattr(self, name, None)\n if not isinstance(elem, Element):\n continue\n if not hasattr(elem, '_export_c'):\n continue\n language.append('{indent}cleri_t * {name} = {value};'.format(indent\n =c_indent, name=name, value=elem._export_c(c_indent, indent,\n enums)))\n for name, ref in self._refs.items():\n language.append('{indent}cleri_ref_set({name}, {value});'.format(\n indent=c_indent, name=name, value=ref._element._export_c(\n c_indent, indent, enums, ref)))\n pattern = self.RE_KEYWORDS.pattern.replace('\\\\', '\\\\\\\\')\n if not pattern.startswith('^'):\n pattern = '^' + pattern\n enums = ',\\n'.join(['{}{}'.format(c_indent, gid) for gid in sorted(enums)]\n ) + ','\n header_file = '\"{}.h\"'.format(target) if headerf is None else headerf\n fun = target.strip('/').replace('/', '_')\n return self.__class__.C_TEMPLATE_C.format(name=self.__class__.__name__,\n target=target, header_file=header_file, fun=fun, indent=c_indent,\n datetime=time.strftime('%Y-%m-%d %H:%M:%S', time.localtime()),\n language='\\n'.join(language), re_keywords=pattern\n ), self.__class__.C_TEMPLATE_H.format(name=self.__class__.__name__,\n target=target, fun=fun, guard=target.upper().replace('/', '_').\n replace('\\\\', '_'), datetime=time.strftime('%Y-%m-%d %H:%M:%S',\n time.localtime()), language='\\n'.join(language), enums=enums)\n", "role": "user" }, { "content": "export_c", "role": "assistant" } ]
def x(self, go_template=GO_TEMPLATE, go_indent=GO_INDENTATION, go_package= GO_PACKAGE): language = [] enums = set() indent = 0 pattern = self.RE_KEYWORDS.pattern.replace('`', '` + "`" + `') if not pattern.startswith('^'): pattern = '^' + pattern for name in self._order: elem = getattr(self, name, None) if not isinstance(elem, Element): continue if not hasattr(elem, '_export_go'): continue language.append('{indent}{name} := {value}'.format(indent=go_indent, name=camel_case(name), value=elem._export_go(go_indent, indent, enums))) for name, ref in self._refs.items(): language.append('{indent}{name}.Set({value})'.format(indent= go_indent, name=camel_case(name), value=ref._element._export_go (go_indent, indent, enums))) enums = ' = iota\n'.join(['{}{}'.format(go_indent, gid) for gid in sorted(enums)]) + ' = iota' return go_template.format(name=self.__class__.__name__, indent= go_indent, package=go_package, datetime=time.strftime( '%Y-%m-%d %H:%M:%S', time.localtime()), language='\n'.join(language ), re_keywords=pattern, enums=enums)
export_go
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, go_template=GO_TEMPLATE, go_indent=GO_INDENTATION, go_package=\n GO_PACKAGE):\n language = []\n enums = set()\n indent = 0\n pattern = self.RE_KEYWORDS.pattern.replace('`', '` + \"`\" + `')\n if not pattern.startswith('^'):\n pattern = '^' + pattern\n for name in self._order:\n elem = getattr(self, name, None)\n if not isinstance(elem, Element):\n continue\n if not hasattr(elem, '_export_go'):\n continue\n language.append('{indent}{name} := {value}'.format(indent=go_indent,\n name=camel_case(name), value=elem._export_go(go_indent, indent,\n enums)))\n for name, ref in self._refs.items():\n language.append('{indent}{name}.Set({value})'.format(indent=\n go_indent, name=camel_case(name), value=ref._element._export_go\n (go_indent, indent, enums)))\n enums = ' = iota\\n'.join(['{}{}'.format(go_indent, gid) for gid in\n sorted(enums)]) + ' = iota'\n return go_template.format(name=self.__class__.__name__, indent=\n go_indent, package=go_package, datetime=time.strftime(\n '%Y-%m-%d %H:%M:%S', time.localtime()), language='\\n'.join(language\n ), re_keywords=pattern, enums=enums)\n", "role": "user" }, { "content": "export_go", "role": "assistant" } ]
def x(self, java_template=JAVA_TEMPLATE, java_indent=JAVA_INDENTATION, java_package=JAVA_PACKAGE, is_public=True): language = [] enums = set() classes = {'jleri.Grammar', 'jleri.Element'} refs = [] indent = 0 pattern = self.RE_KEYWORDS.pattern.replace('\\', '\\\\') if not pattern.startswith('^'): pattern = '^' + pattern for name in self._order: elem = getattr(self, name, None) if not isinstance(elem, Element): continue if not hasattr(elem, '_export_java'): continue language.append( '{indent}private static final Element {name} = {value};'.format (indent=java_indent, name=name.upper(), value=elem._export_java (java_indent, indent, enums, classes))) enum_str = ',\n'.join(['{indent}{indent}{gid}'.format(indent= java_indent, gid=gid) for gid in sorted(enums)]) for name, ref in self._refs.items(): refs.append('{indent}{indent}((Ref) {name}).set({value});'.format( indent=java_indent, name=name.upper(), value=ref._element. _export_java(java_indent, -2, enums, classes))) return java_template.format(name=self.__class__.__name__, imports='\n'. join(map(lambda s: s, ['import {};'.format(c) for c in sorted( classes) if c != 'Rule'])), indent=java_indent, package='' if java_package is None else 'package {};\n'.format(java_package), datetime=time.strftime('%Y-%m-%d %H:%M:%S', time.localtime()), language='\n'.join(language), re_keywords=pattern, refs='' if not refs else '{}\n'.format('\n'.join(refs)), enums=enum_str, public= 'public ' if is_public else '')
export_java
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, java_template=JAVA_TEMPLATE, java_indent=JAVA_INDENTATION,\n java_package=JAVA_PACKAGE, is_public=True):\n language = []\n enums = set()\n classes = {'jleri.Grammar', 'jleri.Element'}\n refs = []\n indent = 0\n pattern = self.RE_KEYWORDS.pattern.replace('\\\\', '\\\\\\\\')\n if not pattern.startswith('^'):\n pattern = '^' + pattern\n for name in self._order:\n elem = getattr(self, name, None)\n if not isinstance(elem, Element):\n continue\n if not hasattr(elem, '_export_java'):\n continue\n language.append(\n '{indent}private static final Element {name} = {value};'.format\n (indent=java_indent, name=name.upper(), value=elem._export_java\n (java_indent, indent, enums, classes)))\n enum_str = ',\\n'.join(['{indent}{indent}{gid}'.format(indent=\n java_indent, gid=gid) for gid in sorted(enums)])\n for name, ref in self._refs.items():\n refs.append('{indent}{indent}((Ref) {name}).set({value});'.format(\n indent=java_indent, name=name.upper(), value=ref._element.\n _export_java(java_indent, -2, enums, classes)))\n return java_template.format(name=self.__class__.__name__, imports='\\n'.\n join(map(lambda s: s, ['import {};'.format(c) for c in sorted(\n classes) if c != 'Rule'])), indent=java_indent, package='' if \n java_package is None else 'package {};\\n'.format(java_package),\n datetime=time.strftime('%Y-%m-%d %H:%M:%S', time.localtime()),\n language='\\n'.join(language), re_keywords=pattern, refs='' if not\n refs else '{}\\n'.format('\\n'.join(refs)), enums=enum_str, public=\n 'public ' if is_public else '')\n", "role": "user" }, { "content": "export_java", "role": "assistant" } ]
def x(self, string): self._string = string self._expecting = Expecting() self._cached_kw_match.clear() self._len_string = len(string) self._pos = None tree = Node(self._element, string, 0, self._len_string) node_res = Result(*self._walk(self._element, 0, tree.children, self. _element, True)) rest = self._string[node_res.pos:].lstrip() if node_res.is_valid and rest: node_res.is_valid = False if not self._expecting.required and rest: self._expecting.set_mode_required(node_res.pos, True) self._expecting.update(end_of_statement, node_res.pos) node_res.expecting = self._expecting.get_expecting() if not node_res.is_valid: node_res.pos = self._expecting.pos node_res.tree = tree return node_res
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, string):\n self._string = string\n self._expecting = Expecting()\n self._cached_kw_match.clear()\n self._len_string = len(string)\n self._pos = None\n tree = Node(self._element, string, 0, self._len_string)\n node_res = Result(*self._walk(self._element, 0, tree.children, self.\n _element, True))\n rest = self._string[node_res.pos:].lstrip()\n if node_res.is_valid and rest:\n node_res.is_valid = False\n if not self._expecting.required and rest:\n self._expecting.set_mode_required(node_res.pos, True)\n self._expecting.update(end_of_statement, node_res.pos)\n node_res.expecting = self._expecting.get_expecting()\n if not node_res.is_valid:\n node_res.pos = self._expecting.pos\n node_res.tree = tree\n return node_res\n", "role": "user" }, { "content": "parse", "role": "assistant" } ]
def x(figs): assert len(figs ) > 0, 'No figure buffers given. Forgot to return from draw call?' buffers = [] w, h = figs[0].canvas.get_width_height() for f in figs: wf, hf = f.canvas.get_width_height() assert wf == w and hf == h, 'All canvas objects need to have same size' buffers.append(np.fromstring(f.canvas.tostring_rgb(), dtype=np. uint8).reshape(h, w, 3)) return np.stack(buffers)
figure_buffer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(figs):\n assert len(figs\n ) > 0, 'No figure buffers given. Forgot to return from draw call?'\n buffers = []\n w, h = figs[0].canvas.get_width_height()\n for f in figs:\n wf, hf = f.canvas.get_width_height()\n assert wf == w and hf == h, 'All canvas objects need to have same size'\n buffers.append(np.fromstring(f.canvas.tostring_rgb(), dtype=np.\n uint8).reshape(h, w, 3))\n return np.stack(buffers)\n", "role": "user" }, { "content": "figure_buffer", "role": "assistant" } ]
def x(func, **tf_pyfunc_kwargs): name = tf_pyfunc_kwargs.pop('name', func.__name__) @wraps(func) def x(*func_args, **func_kwargs): tf_args = PositionalTensorArgs(func_args) def x(*tensor_values, **unused): try: figs = as_list(func(*tf_args.mix_args(tensor_values), ** func_kwargs)) for f in figs: f.canvas.draw() return figure_buffer(figs) except Exception: print('-' * 5 + 'tfmpl catched exception' + '-' * 5) print(traceback.format_exc()) print('-' * 20) raise return tf.py_func(pyfnc_callee, tf_args.tensor_args, tf.uint8, name =name, **tf_pyfunc_kwargs) return wrapper
figure_tensor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func, **tf_pyfunc_kwargs):\n name = tf_pyfunc_kwargs.pop('name', func.__name__)\n\n @wraps(func)\n def x(*func_args, **func_kwargs):\n tf_args = PositionalTensorArgs(func_args)\n\n def x(*tensor_values, **unused):\n try:\n figs = as_list(func(*tf_args.mix_args(tensor_values), **\n func_kwargs))\n for f in figs:\n f.canvas.draw()\n return figure_buffer(figs)\n except Exception:\n print('-' * 5 + 'tfmpl catched exception' + '-' * 5)\n print(traceback.format_exc())\n print('-' * 20)\n raise\n return tf.py_func(pyfnc_callee, tf_args.tensor_args, tf.uint8, name\n =name, **tf_pyfunc_kwargs)\n return wrapper\n", "role": "user" }, { "content": "figure_tensor", "role": "assistant" } ]
def x(func, init_func, **tf_pyfunc_kwargs): name = tf_pyfunc_kwargs.pop('name', func.__name__) assert callable(init_func), 'Init function not callable' @wraps(func) def x(*func_args, **func_kwargs): figs = None bgs = None tf_args = PositionalTensorArgs(func_args) def x(*tensor_values, **unused): try: nonlocal figs, bgs pos_args = tf_args.mix_args(tensor_values) if figs is None: figs, artists = init_func(*pos_args, **func_kwargs) figs = as_list(figs) artists = as_list(artists) for f in figs: f.canvas.draw() for a in artists: a.set_animated(True) bgs = [f.canvas.copy_from_bbox(f.bbox) for f in figs] artists = as_list(func(*pos_args, **func_kwargs)) for f, bg in zip(figs, bgs): f.canvas.restore_region(bg) for a in artists: a.axes.draw_artist(a) for f in figs: f.canvas.blit(f.bbox) return figure_buffer(figs) except Exception: print('-' * 5 + 'tfmpl catched exception' + '-' * 5) print(traceback.format_exc()) print('-' * 20) raise return tf.py_func(pyfnc_callee, tf_args.tensor_args, tf.uint8, name =name, **tf_pyfunc_kwargs) return wrapper
blittable_figure_tensor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func, init_func, **tf_pyfunc_kwargs):\n name = tf_pyfunc_kwargs.pop('name', func.__name__)\n assert callable(init_func), 'Init function not callable'\n\n @wraps(func)\n def x(*func_args, **func_kwargs):\n figs = None\n bgs = None\n tf_args = PositionalTensorArgs(func_args)\n\n def x(*tensor_values, **unused):\n try:\n nonlocal figs, bgs\n pos_args = tf_args.mix_args(tensor_values)\n if figs is None:\n figs, artists = init_func(*pos_args, **func_kwargs)\n figs = as_list(figs)\n artists = as_list(artists)\n for f in figs:\n f.canvas.draw()\n for a in artists:\n a.set_animated(True)\n bgs = [f.canvas.copy_from_bbox(f.bbox) for f in figs]\n artists = as_list(func(*pos_args, **func_kwargs))\n for f, bg in zip(figs, bgs):\n f.canvas.restore_region(bg)\n for a in artists:\n a.axes.draw_artist(a)\n for f in figs:\n f.canvas.blit(f.bbox)\n return figure_buffer(figs)\n except Exception:\n print('-' * 5 + 'tfmpl catched exception' + '-' * 5)\n print(traceback.format_exc())\n print('-' * 20)\n raise\n return tf.py_func(pyfnc_callee, tf_args.tensor_args, tf.uint8, name\n =name, **tf_pyfunc_kwargs)\n return wrapper\n", "role": "user" }, { "content": "blittable_figure_tensor", "role": "assistant" } ]
def x(matrix): fig = tfmpl.create_figure(figsize=(7, 7)) ax = fig.add_subplot(111) ax.set_title('Confusion matrix for MNIST classification') tfmpl.plots.confusion_matrix.draw(ax, matrix, axis_labels=[('Digit ' + str(x)) for x in range(10)], normalize=True) return fig
draw_confusion_matrix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(matrix):\n fig = tfmpl.create_figure(figsize=(7, 7))\n ax = fig.add_subplot(111)\n ax.set_title('Confusion matrix for MNIST classification')\n tfmpl.plots.confusion_matrix.draw(ax, matrix, axis_labels=[('Digit ' +\n str(x)) for x in range(10)], normalize=True)\n return fig\n", "role": "user" }, { "content": "draw_confusion_matrix", "role": "assistant" } ]
def x(labels, predictions, num_classes): assert len(labels) == len(predictions) cm = np.zeros((num_classes, num_classes), dtype=np.int32) for i in range(len(labels)): cm[labels[i], predictions[i]] += 1 return cm
from_labels_and_predictions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(labels, predictions, num_classes):\n assert len(labels) == len(predictions)\n cm = np.zeros((num_classes, num_classes), dtype=np.int32)\n for i in range(len(labels)):\n cm[labels[i], predictions[i]] += 1\n return cm\n", "role": "user" }, { "content": "from_labels_and_predictions", "role": "assistant" } ]
def x(ax, cm, axis_labels=None, normalize=False): cm = np.asarray(cm) num_classes = cm.shape[0] if normalize: with np.errstate(invalid='ignore', divide='ignore'): cm = cm / cm.sum(1, keepdims=True) cm = np.nan_to_num(cm, copy=True) po = np.get_printoptions() np.set_printoptions(precision=2) ax.imshow(cm, cmap='Oranges') ticks = np.arange(num_classes) ax.set_xlabel('Predicted') ax.set_xticks(ticks) ax.xaxis.set_label_position('bottom') ax.xaxis.tick_bottom() ax.set_ylabel('Actual') ax.set_yticks(ticks) ax.yaxis.set_label_position('left') ax.yaxis.tick_left() if axis_labels is not None: ticklabels = [re.sub('([a-z](?=[A-Z])|[A-Z](?=[A-Z][a-z]))', '\\1 ', x) for x in axis_labels] ticklabels = ['\n'.join(wrap(l, 20)) for l in ticklabels] ax.set_xticklabels(ticklabels, rotation=-90, ha='center') ax.set_yticklabels(ticklabels, va='center') for i, j in product(range(num_classes), range(num_classes)): if cm[i, j] == 0: txt = '.' elif normalize: txt = '{:.2f}'.format(cm[i, j]) else: txt = '{}'.format(cm[i, j]) ax.text(j, i, txt, horizontalalignment='center', verticalalignment= 'center', color='black', fontsize=7) np.set_printoptions(**po)
draw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ax, cm, axis_labels=None, normalize=False):\n cm = np.asarray(cm)\n num_classes = cm.shape[0]\n if normalize:\n with np.errstate(invalid='ignore', divide='ignore'):\n cm = cm / cm.sum(1, keepdims=True)\n cm = np.nan_to_num(cm, copy=True)\n po = np.get_printoptions()\n np.set_printoptions(precision=2)\n ax.imshow(cm, cmap='Oranges')\n ticks = np.arange(num_classes)\n ax.set_xlabel('Predicted')\n ax.set_xticks(ticks)\n ax.xaxis.set_label_position('bottom')\n ax.xaxis.tick_bottom()\n ax.set_ylabel('Actual')\n ax.set_yticks(ticks)\n ax.yaxis.set_label_position('left')\n ax.yaxis.tick_left()\n if axis_labels is not None:\n ticklabels = [re.sub('([a-z](?=[A-Z])|[A-Z](?=[A-Z][a-z]))', '\\\\1 ',\n x) for x in axis_labels]\n ticklabels = ['\\n'.join(wrap(l, 20)) for l in ticklabels]\n ax.set_xticklabels(ticklabels, rotation=-90, ha='center')\n ax.set_yticklabels(ticklabels, va='center')\n for i, j in product(range(num_classes), range(num_classes)):\n if cm[i, j] == 0:\n txt = '.'\n elif normalize:\n txt = '{:.2f}'.format(cm[i, j])\n else:\n txt = '{}'.format(cm[i, j])\n ax.text(j, i, txt, horizontalalignment='center', verticalalignment=\n 'center', color='black', fontsize=7)\n np.set_printoptions(**po)\n", "role": "user" }, { "content": "draw", "role": "assistant" } ]
def x(*fig_args, **fig_kwargs): fig = Figure(*fig_args, **fig_kwargs) FigureCanvas(fig) return fig
create_figure
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*fig_args, **fig_kwargs):\n fig = Figure(*fig_args, **fig_kwargs)\n FigureCanvas(fig)\n return fig\n", "role": "user" }, { "content": "create_figure", "role": "assistant" } ]
def x(n, *fig_args, **fig_kwargs): return [create_figure(*fig_args, **fig_kwargs) for _ in range(n)]
create_figures
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(n, *fig_args, **fig_kwargs):\n return [create_figure(*fig_args, **fig_kwargs) for _ in range(n)]\n", "role": "user" }, { "content": "create_figures", "role": "assistant" } ]
def x(f): @wraps(f) def x(*args, **kwargs): if len(args) == 1 and len(kwargs) == 0 and callable(args[0]): return f(args[0]) else: return lambda realf: f(realf, *args, **kwargs) return decorator
vararg_decorator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f):\n\n @wraps(f)\n def x(*args, **kwargs):\n if len(args) == 1 and len(kwargs) == 0 and callable(args[0]):\n return f(args[0])\n else:\n return lambda realf: f(realf, *args, **kwargs)\n return decorator\n", "role": "user" }, { "content": "vararg_decorator", "role": "assistant" } ]
def x(x): if x is None: x = [] elif not isinstance(x, Sequence): x = [x] return list(x)
as_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x):\n if x is None:\n x = []\n elif not isinstance(x, Sequence):\n x = [x]\n return list(x)\n", "role": "user" }, { "content": "as_list", "role": "assistant" } ]
def x(self, page=1, per_page=10, order_by='latest'): return self._all('/photos', page=page, per_page=per_page, order_by=order_by )
all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, page=1, per_page=10, order_by='latest'):\n return self._all('/photos', page=page, per_page=per_page, order_by=order_by\n )\n", "role": "user" }, { "content": "all", "role": "assistant" } ]
def x(self, page=1, per_page=10, order_by='latest'): return self._all('/photos/curated', page=page, per_page=per_page, order_by=order_by)
curated
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, page=1, per_page=10, order_by='latest'):\n return self._all('/photos/curated', page=page, per_page=per_page,\n order_by=order_by)\n", "role": "user" }, { "content": "curated", "role": "assistant" } ]
def x(self, photo_id, width=None, height=None, rect=None): url = '/photos/%s' % photo_id params = {'w': width, 'h': height, 'rect': rect} result = self._get(url, params=params) return PhotoModel.parse(result)
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, photo_id, width=None, height=None, rect=None):\n url = '/photos/%s' % photo_id\n params = {'w': width, 'h': height, 'rect': rect}\n result = self._get(url, params=params)\n return PhotoModel.parse(result)\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, query, category=None, orientation=None, page=1, per_page=10): if orientation and orientation not in self.orientation_values: raise Exception() params = {'query': query, 'category': category, 'orientation': orientation, 'page': page, 'per_page': per_page} url = '/photos/search' result = self._get(url, params=params) return PhotoModel.parse_list(result)
search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query, category=None, orientation=None, page=1, per_page=10):\n if orientation and orientation not in self.orientation_values:\n raise Exception()\n params = {'query': query, 'category': category, 'orientation':\n orientation, 'page': page, 'per_page': per_page}\n url = '/photos/search'\n result = self._get(url, params=params)\n return PhotoModel.parse_list(result)\n", "role": "user" }, { "content": "search", "role": "assistant" } ]
def x(self, count=1, **kwargs): kwargs.update({'count': count}) orientation = kwargs.get('orientation', None) if orientation and orientation not in self.orientation_values: raise Exception() url = '/photos/random' result = self._get(url, params=kwargs) return PhotoModel.parse_list(result)
random
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, count=1, **kwargs):\n kwargs.update({'count': count})\n orientation = kwargs.get('orientation', None)\n if orientation and orientation not in self.orientation_values:\n raise Exception()\n url = '/photos/random'\n result = self._get(url, params=kwargs)\n return PhotoModel.parse_list(result)\n", "role": "user" }, { "content": "random", "role": "assistant" } ]
def x(self, photo_id): url = '/photos/%s/stats' % photo_id result = self._get(url) return StatModel.parse(result)
stats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, photo_id):\n url = '/photos/%s/stats' % photo_id\n result = self._get(url)\n return StatModel.parse(result)\n", "role": "user" }, { "content": "stats", "role": "assistant" } ]
def x(self, photo_id): url = '/photos/%s/like' % photo_id result = self._post(url) return PhotoModel.parse(result)
like
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, photo_id):\n url = '/photos/%s/like' % photo_id\n result = self._post(url)\n return PhotoModel.parse(result)\n", "role": "user" }, { "content": "like", "role": "assistant" } ]
def x(self, photo_id): url = '/photos/%s/like' % photo_id result = self._delete(url) return PhotoModel.parse(result)
unlike
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, photo_id):\n url = '/photos/%s/like' % photo_id\n result = self._delete(url)\n return PhotoModel.parse(result)\n", "role": "user" }, { "content": "unlike", "role": "assistant" } ]
def x(self, query, page=1, per_page=10): url = '/search/photos' data = self._search(url, query, page=page, per_page=per_page) data['results'] = PhotoModel.parse_list(data.get('results')) return data
photos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query, page=1, per_page=10):\n url = '/search/photos'\n data = self._search(url, query, page=page, per_page=per_page)\n data['results'] = PhotoModel.parse_list(data.get('results'))\n return data\n", "role": "user" }, { "content": "photos", "role": "assistant" } ]
def x(self, query, page=1, per_page=10): url = '/search/collections' data = self._search(url, query, page=page, per_page=per_page) data['results'] = CollectionModel.parse_list(data.get('results')) return data
collections
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query, page=1, per_page=10):\n url = '/search/collections'\n data = self._search(url, query, page=page, per_page=per_page)\n data['results'] = CollectionModel.parse_list(data.get('results'))\n return data\n", "role": "user" }, { "content": "collections", "role": "assistant" } ]
def x(self, query, page=1, per_page=10): url = '/search/users' data = self._search(url, query, page=page, per_page=per_page) data['results'] = UserModel.parse_list(data.get('results')) return data
users
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query, page=1, per_page=10):\n url = '/search/users'\n data = self._search(url, query, page=page, per_page=per_page)\n data['results'] = UserModel.parse_list(data.get('results'))\n return data\n", "role": "user" }, { "content": "users", "role": "assistant" } ]
def x(self, page=1, per_page=10): url = '/collections' result = self._all(url, page=page, per_page=per_page) return CollectionModel.parse_list(result)
all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, page=1, per_page=10):\n url = '/collections'\n result = self._all(url, page=page, per_page=per_page)\n return CollectionModel.parse_list(result)\n", "role": "user" }, { "content": "all", "role": "assistant" } ]
def x(self, collection_id): url = '/collections/%s' % collection_id result = self._get(url) return CollectionModel.parse(result)
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, collection_id):\n url = '/collections/%s' % collection_id\n result = self._get(url)\n return CollectionModel.parse(result)\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, collection_id): url = '/collections/curated/%s' % collection_id result = self._get(url) return CollectionModel.parse(result)
get_curated
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, collection_id):\n url = '/collections/curated/%s' % collection_id\n result = self._get(url)\n return CollectionModel.parse(result)\n", "role": "user" }, { "content": "get_curated", "role": "assistant" } ]
def x(self, collection_id, page=1, per_page=10): url = '/collections/%s/photos' % collection_id result = self._all(url, page=page, per_page=per_page) return PhotoModel.parse_list(result)
photos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, collection_id, page=1, per_page=10):\n url = '/collections/%s/photos' % collection_id\n result = self._all(url, page=page, per_page=per_page)\n return PhotoModel.parse_list(result)\n", "role": "user" }, { "content": "photos", "role": "assistant" } ]
def x(self, collection_id): url = '/collections/%s/related' % collection_id result = self._get(url) return CollectionModel.parse_list(result)
related
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, collection_id):\n url = '/collections/%s/related' % collection_id\n result = self._get(url)\n return CollectionModel.parse_list(result)\n", "role": "user" }, { "content": "related", "role": "assistant" } ]
def x(self, title, description=None, private=False): url = '/collections' data = {'title': title, 'description': description, 'private': private} result = self._post(url, data=data) return CollectionModel.parse(result)
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, title, description=None, private=False):\n url = '/collections'\n data = {'title': title, 'description': description, 'private': private}\n result = self._post(url, data=data)\n return CollectionModel.parse(result)\n", "role": "user" }, { "content": "create", "role": "assistant" } ]
def x(self, collection_id, title=None, description=None, private=False): url = '/collections/%s' % collection_id data = {'title': title, 'description': description, 'private': private} result = self._put(url, data=data) return CollectionModel.parse(result)
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, collection_id, title=None, description=None, private=False):\n url = '/collections/%s' % collection_id\n data = {'title': title, 'description': description, 'private': private}\n result = self._put(url, data=data)\n return CollectionModel.parse(result)\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self, collection_id, photo_id): url = '/collections/%s/add' % collection_id data = {'collection_id': collection_id, 'photo_id': photo_id} result = self._post(url, data=data) or {} return CollectionModel.parse(result.get('collection')), PhotoModel.parse( result.get('photo'))
add_photo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, collection_id, photo_id):\n url = '/collections/%s/add' % collection_id\n data = {'collection_id': collection_id, 'photo_id': photo_id}\n result = self._post(url, data=data) or {}\n return CollectionModel.parse(result.get('collection')), PhotoModel.parse(\n result.get('photo'))\n", "role": "user" }, { "content": "add_photo", "role": "assistant" } ]
def x(self, collection_id, photo_id): url = '/collections/%s/remove' % collection_id data = {'collection_id': collection_id, 'photo_id': photo_id} result = self._delete(url, data=data) or {} return CollectionModel.parse(result.get('collection')), PhotoModel.parse( result.get('photo'))
remove_photo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, collection_id, photo_id):\n url = '/collections/%s/remove' % collection_id\n data = {'collection_id': collection_id, 'photo_id': photo_id}\n result = self._delete(url, data=data) or {}\n return CollectionModel.parse(result.get('collection')), PhotoModel.parse(\n result.get('photo'))\n", "role": "user" }, { "content": "remove_photo", "role": "assistant" } ]
def x(self): url = '/stats/total' result = self._get(url) return StatModel.parse(result)
total
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n url = '/stats/total'\n result = self._get(url)\n return StatModel.parse(result)\n", "role": "user" }, { "content": "total", "role": "assistant" } ]
def x(self): url = '/stats/month' result = self._get(url) return StatModel.parse(result)
month
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n url = '/stats/month'\n result = self._get(url)\n return StatModel.parse(result)\n", "role": "user" }, { "content": "month", "role": "assistant" } ]
def x(self, code): self.token = self.oauth.fetch_token(token_url=self.access_token_url, client_id=self.client_id, client_secret=self.client_secret, scope= self.scope, code=code) return self.token.get('access_token')
get_access_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, code):\n self.token = self.oauth.fetch_token(token_url=self.access_token_url,\n client_id=self.client_id, client_secret=self.client_secret, scope=\n self.scope, code=code)\n return self.token.get('access_token')\n", "role": "user" }, { "content": "get_access_token", "role": "assistant" } ]
def x(self): self.token = self.oauth.refresh_token(self.access_token_url, refresh_token=self.get_refresh_token()) self.access_token = self.token.get('access_token')
refresh_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.token = self.oauth.refresh_token(self.access_token_url,\n refresh_token=self.get_refresh_token())\n self.access_token = self.token.get('access_token')\n", "role": "user" }, { "content": "refresh_token", "role": "assistant" } ]
def x(cls, data): results = ResultSet() data = data or [] for obj in data: if obj: results.append(cls.parse(obj)) return results
parse_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, data):\n results = ResultSet()\n data = data or []\n for obj in data:\n if obj:\n results.append(cls.parse(obj))\n return results\n", "role": "user" }, { "content": "parse_list", "role": "assistant" } ]
def x(self): if self.api.is_authenticated: return {'Authorization': 'Bearer %s' % self.api.access_token} return {'Authorization': 'Client-ID %s' % self.api.client_id}
get_auth_header
[ { "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.api.is_authenticated:\n return {'Authorization': 'Bearer %s' % self.api.access_token}\n return {'Authorization': 'Client-ID %s' % self.api.client_id}\n", "role": "user" }, { "content": "get_auth_header", "role": "assistant" } ]
def x(self): url = '/me' result = self._get(url) return UserModel.parse(result)
me
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n url = '/me'\n result = self._get(url)\n return UserModel.parse(result)\n", "role": "user" }, { "content": "me", "role": "assistant" } ]
def x(self, **kwargs): url = '/me' result = self._put(url, data=kwargs) return UserModel.parse(result)
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n url = '/me'\n result = self._put(url, data=kwargs)\n return UserModel.parse(result)\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self, username, width=None, height=None): url = '/users/{username}'.format(username=username) params = {'w': width, 'h': height} result = self._get(url, params=params) return UserModel.parse(result)
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username, width=None, height=None):\n url = '/users/{username}'.format(username=username)\n params = {'w': width, 'h': height}\n result = self._get(url, params=params)\n return UserModel.parse(result)\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, username): url = '/users/{username}/portfolio'.format(username=username) result = self._get(url) return LinkModel.parse(result)
portfolio
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username):\n url = '/users/{username}/portfolio'.format(username=username)\n result = self._get(url)\n return LinkModel.parse(result)\n", "role": "user" }, { "content": "portfolio", "role": "assistant" } ]
def x(self, username, page=1, per_page=10, order_by='latest'): url = '/users/{username}/photos'.format(username=username) result = self._photos(url, username, page=page, per_page=per_page, order_by=order_by) return PhotoModel.parse_list(result)
photos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username, page=1, per_page=10, order_by='latest'):\n url = '/users/{username}/photos'.format(username=username)\n result = self._photos(url, username, page=page, per_page=per_page,\n order_by=order_by)\n return PhotoModel.parse_list(result)\n", "role": "user" }, { "content": "photos", "role": "assistant" } ]
def x(self, username, page=1, per_page=10): url = '/users/{username}/collections'.format(username=username) params = {'page': page, 'per_page': per_page} result = self._get(url, params=params) return CollectionModel.parse_list(result)
collections
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username, page=1, per_page=10):\n url = '/users/{username}/collections'.format(username=username)\n params = {'page': page, 'per_page': per_page}\n result = self._get(url, params=params)\n return CollectionModel.parse_list(result)\n", "role": "user" }, { "content": "collections", "role": "assistant" } ]
def x(self, width): res = [] prev_state = set() part = [] cwidth = 0 for char, _width, state in zip(self._string, self._width, self._state): if cwidth + _width > width: if prev_state: part.append(self.ANSI_RESET) res.append(''.join(part)) prev_state = set() part = [] cwidth = 0 cwidth += _width if prev_state == state: pass elif prev_state <= state: part.extend(state - prev_state) else: part.append(self.ANSI_RESET) part.extend(state) prev_state = state part.append(char) if prev_state: part.append(self.ANSI_RESET) if part: res.append(''.join(part)) return res
wrap
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, width):\n res = []\n prev_state = set()\n part = []\n cwidth = 0\n for char, _width, state in zip(self._string, self._width, self._state):\n if cwidth + _width > width:\n if prev_state:\n part.append(self.ANSI_RESET)\n res.append(''.join(part))\n prev_state = set()\n part = []\n cwidth = 0\n cwidth += _width\n if prev_state == state:\n pass\n elif prev_state <= state:\n part.extend(state - prev_state)\n else:\n part.append(self.ANSI_RESET)\n part.extend(state)\n prev_state = state\n part.append(char)\n if prev_state:\n part.append(self.ANSI_RESET)\n if part:\n res.append(''.join(part))\n return res\n", "role": "user" }, { "content": "wrap", "role": "assistant" } ]
def x(self): offset = (self._column_count - 1) * termwidth(self.column_separator_char) offset += termwidth(self.left_border_char) offset += termwidth(self.right_border_char) self._max_table_width = max(self._max_table_width, offset + self. _column_count) return self._max_table_width
max_table_width
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n offset = (self._column_count - 1) * termwidth(self.column_separator_char)\n offset += termwidth(self.left_border_char)\n offset += termwidth(self.right_border_char)\n self._max_table_width = max(self._max_table_width, offset + self.\n _column_count)\n return self._max_table_width\n", "role": "user" }, { "content": "max_table_width", "role": "assistant" } ]
def x(self, column_count): header = [''] * column_count alignment = [self.default_alignment] * column_count width = [0] * column_count padding = [self.default_padding] * column_count self._column_count = column_count self._column_headers = HeaderData(self, header) self._column_alignments = AlignmentMetaData(self, alignment) self._column_widths = PositiveIntegerMetaData(self, width) self._left_padding_widths = PositiveIntegerMetaData(self, padding) self._right_padding_widths = PositiveIntegerMetaData(self, padding)
initialize_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, column_count):\n header = [''] * column_count\n alignment = [self.default_alignment] * column_count\n width = [0] * column_count\n padding = [self.default_padding] * column_count\n self._column_count = column_count\n self._column_headers = HeaderData(self, header)\n self._column_alignments = AlignmentMetaData(self, alignment)\n self._column_widths = PositiveIntegerMetaData(self, width)\n self._left_padding_widths = PositiveIntegerMetaData(self, padding)\n self._right_padding_widths = PositiveIntegerMetaData(self, padding)\n", "role": "user" }, { "content": "initialize_table", "role": "assistant" } ]
def x(self, style): if not isinstance(style, enums.Style): allowed = ('{}.{}'.format(type(self).__name__, i.name) for i in enums.Style) error_msg = 'allowed values for style are: ' + ', '.join(allowed) raise ValueError(error_msg) style_template = style.value self.left_border_char = style_template.left_border_char self.right_border_char = style_template.right_border_char self.top_border_char = style_template.top_border_char self.bottom_border_char = style_template.bottom_border_char self.header_separator_char = style_template.header_separator_char self.column_separator_char = style_template.column_separator_char self.row_separator_char = style_template.row_separator_char self.intersect_top_left = style_template.intersect_top_left self.intersect_top_mid = style_template.intersect_top_mid self.intersect_top_right = style_template.intersect_top_right self.intersect_header_left = style_template.intersect_header_left self.intersect_header_mid = style_template.intersect_header_mid self.intersect_header_right = style_template.intersect_header_right self.intersect_row_left = style_template.intersect_row_left self.intersect_row_mid = style_template.intersect_row_mid self.intersect_row_right = style_template.intersect_row_right self.intersect_bottom_left = style_template.intersect_bottom_left self.intersect_bottom_mid = style_template.intersect_bottom_mid self.intersect_bottom_right = style_template.intersect_bottom_right
set_style
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, style):\n if not isinstance(style, enums.Style):\n allowed = ('{}.{}'.format(type(self).__name__, i.name) for i in\n enums.Style)\n error_msg = 'allowed values for style are: ' + ', '.join(allowed)\n raise ValueError(error_msg)\n style_template = style.value\n self.left_border_char = style_template.left_border_char\n self.right_border_char = style_template.right_border_char\n self.top_border_char = style_template.top_border_char\n self.bottom_border_char = style_template.bottom_border_char\n self.header_separator_char = style_template.header_separator_char\n self.column_separator_char = style_template.column_separator_char\n self.row_separator_char = style_template.row_separator_char\n self.intersect_top_left = style_template.intersect_top_left\n self.intersect_top_mid = style_template.intersect_top_mid\n self.intersect_top_right = style_template.intersect_top_right\n self.intersect_header_left = style_template.intersect_header_left\n self.intersect_header_mid = style_template.intersect_header_mid\n self.intersect_header_right = style_template.intersect_header_right\n self.intersect_row_left = style_template.intersect_row_left\n self.intersect_row_mid = style_template.intersect_row_mid\n self.intersect_row_right = style_template.intersect_row_right\n self.intersect_bottom_left = style_template.intersect_bottom_left\n self.intersect_bottom_mid = style_template.intersect_bottom_mid\n self.intersect_bottom_right = style_template.intersect_bottom_right\n", "role": "user" }, { "content": "set_style", "role": "assistant" } ]
def x(self): table_width = self.get_table_width() lpw, rpw = self._left_padding_widths, self._right_padding_widths pad_widths = [(lpw[i] + rpw[i]) for i in range(self._column_count)] max_widths = [(0) for index in range(self._column_count)] offset = table_width - sum(self._column_widths) + sum(pad_widths) self._max_table_width = max(self._max_table_width, offset + self. _column_count) for index, column in enumerate(zip(*self._table)): max_length = 0 for i in column: for j in to_unicode(i).split('\n'): output_str = get_output_str(j, self.detect_numerics, self. numeric_precision, self.sign_mode.value) max_length = max(max_length, termwidth(output_str)) for i in to_unicode(self._column_headers[index]).split('\n'): output_str = get_output_str(i, self.detect_numerics, self. numeric_precision, self.sign_mode.value) max_length = max(max_length, termwidth(output_str)) max_widths[index] += max_length sum_ = sum(max_widths) desired_sum = self._max_table_width - offset temp_sum = 0 flag = [0] * len(max_widths) for i, width in enumerate(max_widths): if width <= int(desired_sum / self._column_count): temp_sum += width flag[i] = 1 else: temp_sum += 1 avail_space = desired_sum - temp_sum actual_space = sum_ - temp_sum shrinked_columns = {} for i, width in enumerate(max_widths): self.column_widths[i] = width if not flag[i]: new_width = 1 + int((width - 1) * avail_space / actual_space) if new_width < width: self.column_widths[i] = new_width shrinked_columns[new_width] = i if shrinked_columns: extra = self._max_table_width - offset - sum(self.column_widths) actual_space = sum(shrinked_columns) if extra > 0: for i, width in enumerate(sorted(shrinked_columns)): index = shrinked_columns[width] extra_width = int(width * extra / actual_space) self.column_widths[i] += extra_width if i == len(shrinked_columns) - 1: extra = self._max_table_width - offset - sum(self. column_widths) self.column_widths[index] += extra for i in range(self.column_count): self.column_widths[i] += pad_widths[i]
calculate_column_widths
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n table_width = self.get_table_width()\n lpw, rpw = self._left_padding_widths, self._right_padding_widths\n pad_widths = [(lpw[i] + rpw[i]) for i in range(self._column_count)]\n max_widths = [(0) for index in range(self._column_count)]\n offset = table_width - sum(self._column_widths) + sum(pad_widths)\n self._max_table_width = max(self._max_table_width, offset + self.\n _column_count)\n for index, column in enumerate(zip(*self._table)):\n max_length = 0\n for i in column:\n for j in to_unicode(i).split('\\n'):\n output_str = get_output_str(j, self.detect_numerics, self.\n numeric_precision, self.sign_mode.value)\n max_length = max(max_length, termwidth(output_str))\n for i in to_unicode(self._column_headers[index]).split('\\n'):\n output_str = get_output_str(i, self.detect_numerics, self.\n numeric_precision, self.sign_mode.value)\n max_length = max(max_length, termwidth(output_str))\n max_widths[index] += max_length\n sum_ = sum(max_widths)\n desired_sum = self._max_table_width - offset\n temp_sum = 0\n flag = [0] * len(max_widths)\n for i, width in enumerate(max_widths):\n if width <= int(desired_sum / self._column_count):\n temp_sum += width\n flag[i] = 1\n else:\n temp_sum += 1\n avail_space = desired_sum - temp_sum\n actual_space = sum_ - temp_sum\n shrinked_columns = {}\n for i, width in enumerate(max_widths):\n self.column_widths[i] = width\n if not flag[i]:\n new_width = 1 + int((width - 1) * avail_space / actual_space)\n if new_width < width:\n self.column_widths[i] = new_width\n shrinked_columns[new_width] = i\n if shrinked_columns:\n extra = self._max_table_width - offset - sum(self.column_widths)\n actual_space = sum(shrinked_columns)\n if extra > 0:\n for i, width in enumerate(sorted(shrinked_columns)):\n index = shrinked_columns[width]\n extra_width = int(width * extra / actual_space)\n self.column_widths[i] += extra_width\n if i == len(shrinked_columns) - 1:\n extra = self._max_table_width - offset - sum(self.\n column_widths)\n self.column_widths[index] += extra\n for i in range(self.column_count):\n self.column_widths[i] += pad_widths[i]\n", "role": "user" }, { "content": "calculate_column_widths", "role": "assistant" } ]
def x(self, key, reverse=False): if isinstance(key, int): index = key elif isinstance(key, basestring): index = self.get_column_index(key) else: raise TypeError("'key' must either be 'int' or 'str'") self._table.sort(key=operator.itemgetter(index), reverse=reverse)
sort
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, reverse=False):\n if isinstance(key, int):\n index = key\n elif isinstance(key, basestring):\n index = self.get_column_index(key)\n else:\n raise TypeError(\"'key' must either be 'int' or 'str'\")\n self._table.sort(key=operator.itemgetter(index), reverse=reverse)\n", "role": "user" }, { "content": "sort", "role": "assistant" } ]
def x(self, header): try: index = self._column_headers.index(header) return index except ValueError: raise_suppressed(KeyError("'{}' is not a header for any column". format(header)))
get_column_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, header):\n try:\n index = self._column_headers.index(header)\n return index\n except ValueError:\n raise_suppressed(KeyError(\"'{}' is not a header for any column\".\n format(header)))\n", "role": "user" }, { "content": "get_column_index", "role": "assistant" } ]
def x(self, key): if isinstance(key, int): index = key elif isinstance(key, basestring): index = self.get_column_index(key) else: raise TypeError('key must be an int or str, not {}'.format(type(key ).__name__)) return iter(map(operator.itemgetter(index), self._table))
get_column
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key):\n if isinstance(key, int):\n index = key\n elif isinstance(key, basestring):\n index = self.get_column_index(key)\n else:\n raise TypeError('key must be an int or str, not {}'.format(type(key\n ).__name__))\n return iter(map(operator.itemgetter(index), self._table))\n", "role": "user" }, { "content": "get_column", "role": "assistant" } ]
def x(self, index=-1): if isinstance(index, int): pass elif isinstance(index, basestring): index = self.get_column_index(index) else: raise TypeError('column index must be an integer or a string, not {}' .format(type(index).__name__)) if self._column_count == 0: raise IndexError('pop from empty table') if self._column_count == 1: self.clear(clear_metadata=True) else: self._column_count -= 1 self._column_alignments._pop(index) self._column_widths._pop(index) self._left_padding_widths._pop(index) self._right_padding_widths._pop(index) self._column_headers._pop(index) for row in self._table: row._pop(index)
pop_column
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, index=-1):\n if isinstance(index, int):\n pass\n elif isinstance(index, basestring):\n index = self.get_column_index(index)\n else:\n raise TypeError('column index must be an integer or a string, not {}'\n .format(type(index).__name__))\n if self._column_count == 0:\n raise IndexError('pop from empty table')\n if self._column_count == 1:\n self.clear(clear_metadata=True)\n else:\n self._column_count -= 1\n self._column_alignments._pop(index)\n self._column_widths._pop(index)\n self._left_padding_widths._pop(index)\n self._right_padding_widths._pop(index)\n self._column_headers._pop(index)\n for row in self._table:\n row._pop(index)\n", "role": "user" }, { "content": "pop_column", "role": "assistant" } ]
def x(self, index, row): row = self._validate_row(row) row_obj = RowData(self, row) self._table.insert(index, row_obj)
insert_row
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, index, row):\n row = self._validate_row(row)\n row_obj = RowData(self, row)\n self._table.insert(index, row_obj)\n", "role": "user" }, { "content": "insert_row", "role": "assistant" } ]
def x(self, key, value): if isinstance(key, int): row = self._validate_row(value, init_table_if_required=False) row_obj = RowData(self, row) self._table[key] = row_obj elif isinstance(key, slice): row_obj_list = [] for row in value: row_ = self._validate_row(row, init_table_if_required=True) row_obj_list.append(RowData(self, row_)) self._table[key] = row_obj_list else: raise TypeError('key must be an integer or a slice object')
update_row
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, value):\n if isinstance(key, int):\n row = self._validate_row(value, init_table_if_required=False)\n row_obj = RowData(self, row)\n self._table[key] = row_obj\n elif isinstance(key, slice):\n row_obj_list = []\n for row in value:\n row_ = self._validate_row(row, init_table_if_required=True)\n row_obj_list.append(RowData(self, row_))\n self._table[key] = row_obj_list\n else:\n raise TypeError('key must be an integer or a slice object')\n", "role": "user" }, { "content": "update_row", "role": "assistant" } ]
def x(self, header, column): index = self.get_column_index(header) if not isinstance(header, basestring): raise TypeError('header must be of type str') for row, new_item in zip(self._table, column): row[index] = new_item
update_column
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, header, column):\n index = self.get_column_index(header)\n if not isinstance(header, basestring):\n raise TypeError('header must be of type str')\n for row, new_item in zip(self._table, column):\n row[index] = new_item\n", "role": "user" }, { "content": "update_column", "role": "assistant" } ]
def x(self, index, header, column): if self._column_count == 0: self.column_headers = HeaderData(self, [header]) self._table = [RowData(self, [i]) for i in column] else: if not isinstance(header, basestring): raise TypeError('header must be of type str') column_length = 0 for i, (row, new_item) in enumerate(zip(self._table, column)): row._insert(index, new_item) column_length = i if column_length == len(self._table) - 1: self._column_count += 1 self._column_headers._insert(index, header) self._column_alignments._insert(index, self.default_alignment) self._column_widths._insert(index, 0) self._left_padding_widths._insert(index, self.default_padding) self._right_padding_widths._insert(index, self.default_padding) else: for j in range(column_length, -1, -1): self._table[j]._pop(index) raise ValueError("length of 'column' should be atleast {}, got {}" .format(len(self._table), column_length + 1))
insert_column
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, index, header, column):\n if self._column_count == 0:\n self.column_headers = HeaderData(self, [header])\n self._table = [RowData(self, [i]) for i in column]\n else:\n if not isinstance(header, basestring):\n raise TypeError('header must be of type str')\n column_length = 0\n for i, (row, new_item) in enumerate(zip(self._table, column)):\n row._insert(index, new_item)\n column_length = i\n if column_length == len(self._table) - 1:\n self._column_count += 1\n self._column_headers._insert(index, header)\n self._column_alignments._insert(index, self.default_alignment)\n self._column_widths._insert(index, 0)\n self._left_padding_widths._insert(index, self.default_padding)\n self._right_padding_widths._insert(index, self.default_padding)\n else:\n for j in range(column_length, -1, -1):\n self._table[j]._pop(index)\n raise ValueError(\"length of 'column' should be atleast {}, got {}\"\n .format(len(self._table), column_length + 1))\n", "role": "user" }, { "content": "insert_column", "role": "assistant" } ]
def x(self, header, column): self.insert_column(self._column_count, header, column)
append_column
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, header, column):\n self.insert_column(self._column_count, header, column)\n", "role": "user" }, { "content": "append_column", "role": "assistant" } ]
def x(self, char, intersect_left, intersect_mid, intersect_right): width = self.get_table_width() try: line = list(char * (int(width / termwidth(char)) + 1))[:width] except ZeroDivisionError: line = [' '] * width if len(line) == 0: return '' if not char.isspace(): visible_junc = not intersect_left.isspace() if termwidth(self.left_border_char) > 0: if not (self.left_border_char.isspace() and visible_junc): length = min(termwidth(self.left_border_char), termwidth( intersect_left)) for i in range(length): line[i] = intersect_left[i] visible_junc = not intersect_right.isspace() if termwidth(self.right_border_char) > 0: if not (self.right_border_char.isspace() and visible_junc): length = min(termwidth(self.right_border_char), termwidth( intersect_right)) for i in range(length): line[-i - 1] = intersect_right[-i - 1] visible_junc = not intersect_mid.isspace() if termwidth(self.column_separator_char): if not (self.column_separator_char.isspace() and visible_junc): index = termwidth(self.left_border_char) for i in range(self._column_count - 1): index += self._column_widths[i] length = min(termwidth(self.column_separator_char), termwidth(intersect_mid)) for i in range(length): line[index + i] = intersect_mid[i] index += termwidth(self.column_separator_char) return ''.join(line)
get_horizontal_line
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, char, intersect_left, intersect_mid, intersect_right):\n width = self.get_table_width()\n try:\n line = list(char * (int(width / termwidth(char)) + 1))[:width]\n except ZeroDivisionError:\n line = [' '] * width\n if len(line) == 0:\n return ''\n if not char.isspace():\n visible_junc = not intersect_left.isspace()\n if termwidth(self.left_border_char) > 0:\n if not (self.left_border_char.isspace() and visible_junc):\n length = min(termwidth(self.left_border_char), termwidth(\n intersect_left))\n for i in range(length):\n line[i] = intersect_left[i]\n visible_junc = not intersect_right.isspace()\n if termwidth(self.right_border_char) > 0:\n if not (self.right_border_char.isspace() and visible_junc):\n length = min(termwidth(self.right_border_char), termwidth(\n intersect_right))\n for i in range(length):\n line[-i - 1] = intersect_right[-i - 1]\n visible_junc = not intersect_mid.isspace()\n if termwidth(self.column_separator_char):\n if not (self.column_separator_char.isspace() and visible_junc):\n index = termwidth(self.left_border_char)\n for i in range(self._column_count - 1):\n index += self._column_widths[i]\n length = min(termwidth(self.column_separator_char),\n termwidth(intersect_mid))\n for i in range(length):\n line[index + i] = intersect_mid[i]\n index += termwidth(self.column_separator_char)\n return ''.join(line)\n", "role": "user" }, { "content": "get_horizontal_line", "role": "assistant" } ]
def x(self): if self.column_count == 0: return 0 width = sum(self._column_widths) width += (self._column_count - 1) * termwidth(self.column_separator_char) width += termwidth(self.left_border_char) width += termwidth(self.right_border_char) return width
get_table_width
[ { "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.column_count == 0:\n return 0\n width = sum(self._column_widths)\n width += (self._column_count - 1) * termwidth(self.column_separator_char)\n width += termwidth(self.left_border_char)\n width += termwidth(self.right_border_char)\n return width\n", "role": "user" }, { "content": "get_table_width", "role": "assistant" } ]
def x(self, recalculate_width=True): if len(self._table) == 0: return '' if self.serialno and self.column_count > 0: self.insert_column(0, self.serialno_header, range(1, len(self) + 1)) if recalculate_width or sum(self._column_widths) == 0: self._calculate_column_widths() string_ = [] if self.top_border_char: string_.append(self._get_top_border()) if ''.join(self._column_headers).strip(): headers = to_unicode(self._column_headers) string_.append(headers) if self.header_separator_char: string_.append(self._get_header_separator()) first_row_encountered = False for row in self._table: if first_row_encountered and self.row_separator_char: string_.append(self._get_row_separator()) first_row_encountered = True content = to_unicode(row) string_.append(content) if self.bottom_border_char: string_.append(self._get_bottom_border()) if self.serialno and self.column_count > 0: self.pop_column(0) return '\n'.join(string_)
get_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, recalculate_width=True):\n if len(self._table) == 0:\n return ''\n if self.serialno and self.column_count > 0:\n self.insert_column(0, self.serialno_header, range(1, len(self) + 1))\n if recalculate_width or sum(self._column_widths) == 0:\n self._calculate_column_widths()\n string_ = []\n if self.top_border_char:\n string_.append(self._get_top_border())\n if ''.join(self._column_headers).strip():\n headers = to_unicode(self._column_headers)\n string_.append(headers)\n if self.header_separator_char:\n string_.append(self._get_header_separator())\n first_row_encountered = False\n for row in self._table:\n if first_row_encountered and self.row_separator_char:\n string_.append(self._get_row_separator())\n first_row_encountered = True\n content = to_unicode(row)\n string_.append(content)\n if self.bottom_border_char:\n string_.append(self._get_bottom_border())\n if self.serialno and self.column_count > 0:\n self.pop_column(0)\n return '\\n'.join(string_)\n", "role": "user" }, { "content": "get_string", "role": "assistant" } ]
def x(item): if PY3: num_types = int, float else: num_types = int, long, float if isinstance(item, num_types): return item try: num = int(to_unicode(item)) except ValueError: try: num = float(to_unicode(item)) except ValueError: return item else: return num except TypeError: return item else: return num
convert_to_numeric
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(item):\n if PY3:\n num_types = int, float\n else:\n num_types = int, long, float\n if isinstance(item, num_types):\n return item\n try:\n num = int(to_unicode(item))\n except ValueError:\n try:\n num = float(to_unicode(item))\n except ValueError:\n return item\n else:\n return num\n except TypeError:\n return item\n else:\n return num\n", "role": "user" }, { "content": "convert_to_numeric", "role": "assistant" } ]
def x(item, detect_numerics, precision, sign_value): if detect_numerics: item = _convert_to_numeric(item) if isinstance(item, float): item = round(item, precision) try: item = '{:{sign}}'.format(item, sign=sign_value) except (ValueError, TypeError): pass return to_unicode(item)
get_output_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(item, detect_numerics, precision, sign_value):\n if detect_numerics:\n item = _convert_to_numeric(item)\n if isinstance(item, float):\n item = round(item, precision)\n try:\n item = '{:{sign}}'.format(item, sign=sign_value)\n except (ValueError, TypeError):\n pass\n return to_unicode(item)\n", "role": "user" }, { "content": "get_output_str", "role": "assistant" } ]
def x(self, row): table = self._table lpw, rpw = table.left_padding_widths, table.right_padding_widths wep = table.width_exceed_policy list_of_rows = [] if (wep is WidthExceedPolicy.WEP_STRIP or wep is WidthExceedPolicy. WEP_ELLIPSIS): delimiter = '' if wep is WidthExceedPolicy.WEP_STRIP else '...' row_item_list = [] for index, row_item in enumerate(row): left_pad = table._column_pad * lpw[index] right_pad = table._column_pad * rpw[index] clmp_str = left_pad + self._clamp_string(row_item, index, delimiter ) + right_pad row_item_list.append(clmp_str) list_of_rows.append(row_item_list) elif wep is WidthExceedPolicy.WEP_WRAP: string_partition = [] for index, row_item in enumerate(row): width = table.column_widths[index] - lpw[index] - rpw[index] string_partition.append(textwrap(row_item, width)) for row_items in zip_longest(*string_partition, fillvalue=''): row_item_list = [] for index, row_item in enumerate(row_items): left_pad = table._column_pad * lpw[index] right_pad = table._column_pad * rpw[index] row_item_list.append(left_pad + row_item + right_pad) list_of_rows.append(row_item_list) if len(list_of_rows) == 0: return [[''] * table.column_count] else: return list_of_rows
get_row_within_width
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, row):\n table = self._table\n lpw, rpw = table.left_padding_widths, table.right_padding_widths\n wep = table.width_exceed_policy\n list_of_rows = []\n if (wep is WidthExceedPolicy.WEP_STRIP or wep is WidthExceedPolicy.\n WEP_ELLIPSIS):\n delimiter = '' if wep is WidthExceedPolicy.WEP_STRIP else '...'\n row_item_list = []\n for index, row_item in enumerate(row):\n left_pad = table._column_pad * lpw[index]\n right_pad = table._column_pad * rpw[index]\n clmp_str = left_pad + self._clamp_string(row_item, index, delimiter\n ) + right_pad\n row_item_list.append(clmp_str)\n list_of_rows.append(row_item_list)\n elif wep is WidthExceedPolicy.WEP_WRAP:\n string_partition = []\n for index, row_item in enumerate(row):\n width = table.column_widths[index] - lpw[index] - rpw[index]\n string_partition.append(textwrap(row_item, width))\n for row_items in zip_longest(*string_partition, fillvalue=''):\n row_item_list = []\n for index, row_item in enumerate(row_items):\n left_pad = table._column_pad * lpw[index]\n right_pad = table._column_pad * rpw[index]\n row_item_list.append(left_pad + row_item + right_pad)\n list_of_rows.append(row_item_list)\n if len(list_of_rows) == 0:\n return [[''] * table.column_count]\n else:\n return list_of_rows\n", "role": "user" }, { "content": "get_row_within_width", "role": "assistant" } ]
def x(self, row_item, column_index, delimiter=''): width = self._table.column_widths[column_index ] - self._table.left_padding_widths[column_index ] - self._table.right_padding_widths[column_index] if termwidth(row_item) <= width: return row_item else: if width - len(delimiter) >= 0: clamped_string = textwrap(row_item, width - len(delimiter))[0 ] + delimiter else: clamped_string = delimiter[:width] return clamped_string
clamp_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, row_item, column_index, delimiter=''):\n width = self._table.column_widths[column_index\n ] - self._table.left_padding_widths[column_index\n ] - self._table.right_padding_widths[column_index]\n if termwidth(row_item) <= width:\n return row_item\n else:\n if width - len(delimiter) >= 0:\n clamped_string = textwrap(row_item, width - len(delimiter))[0\n ] + delimiter\n else:\n clamped_string = delimiter[:width]\n return clamped_string\n", "role": "user" }, { "content": "clamp_string", "role": "assistant" } ]
def x(self, target, message, mentions=None, parse=None, update_msg_id=None, wrap_length=5000): try: responses = set() for text in wrap(string=str(message), length=wrap_length): response = self.http_session.post(url='{}/im/sendIM'.format( self.api_base_url), data={'r': uuid.uuid4(), 'aimsid': self .token, 't': target, 'message': text, 'mentions': mentions if isinstance(mentions, six.string_types) or not hasattr( mentions, '__iter__') else ','.join(mentions), 'parse': json.dumps([p.value for p in parse]) if parse is not None else None, 'updateMsgId': update_msg_id}, timeout=self.timeout_s) try: self.__sent_im_cache[response.json()['response']['data'][ 'msgId']] = text except (LookupError, TypeError): self.log.exception("Error while getting 'msgId'!") responses.add(response) return tuple(responses) except ReadTimeout: self.log.exception('Timeout while sending request!')
send_im
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, target, message, mentions=None, parse=None, update_msg_id=None,\n wrap_length=5000):\n try:\n responses = set()\n for text in wrap(string=str(message), length=wrap_length):\n response = self.http_session.post(url='{}/im/sendIM'.format(\n self.api_base_url), data={'r': uuid.uuid4(), 'aimsid': self\n .token, 't': target, 'message': text, 'mentions': mentions if\n isinstance(mentions, six.string_types) or not hasattr(\n mentions, '__iter__') else ','.join(mentions), 'parse': \n json.dumps([p.value for p in parse]) if parse is not None else\n None, 'updateMsgId': update_msg_id}, timeout=self.timeout_s)\n try:\n self.__sent_im_cache[response.json()['response']['data'][\n 'msgId']] = text\n except (LookupError, TypeError):\n self.log.exception(\"Error while getting 'msgId'!\")\n responses.add(response)\n return tuple(responses)\n except ReadTimeout:\n self.log.exception('Timeout while sending request!')\n", "role": "user" }, { "content": "send_im", "role": "assistant" } ]
def x(sequence): return random.choice(tuple(sequence) if isinstance(sequence, set) else sequence)
random_choice
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sequence):\n return random.choice(tuple(sequence) if isinstance(sequence, set) else\n sequence)\n", "role": "user" }, { "content": "random_choice", "role": "assistant" } ]
def x(text, context=None): if context is None or not isinstance(context, dict): context = {} markdown_html = _transform_markdown_into_html(text) sanitised_markdown_html = _sanitise_markdown_html(markdown_html) return mark_safe(sanitised_markdown_html)
render_markdown
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, context=None):\n if context is None or not isinstance(context, dict):\n context = {}\n markdown_html = _transform_markdown_into_html(text)\n sanitised_markdown_html = _sanitise_markdown_html(markdown_html)\n return mark_safe(sanitised_markdown_html)\n", "role": "user" }, { "content": "render_markdown", "role": "assistant" } ]
def x(text, context=None): warning = ( 'wagtailmarkdown.utils.render() is deprecated. Use wagtailmarkdown.utils.render_markdown() instead.' ) warnings.warn(warning, WagtailMarkdownDeprecationWarning, stacklevel=2) return render_markdown(text, context)
render
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, context=None):\n warning = (\n 'wagtailmarkdown.utils.render() is deprecated. Use wagtailmarkdown.utils.render_markdown() instead.'\n )\n warnings.warn(warning, WagtailMarkdownDeprecationWarning, stacklevel=2)\n return render_markdown(text, context)\n", "role": "user" }, { "content": "render", "role": "assistant" } ]
def x(self, parent, blocks): block = blocks.pop(0).split('\n') header = block[0].strip() seperator = block[1].strip() rows = block[2:] border = False if header.startswith('|'): border = True align = [] for c in self._split_row(seperator, border): if c.startswith(':') and c.endswith(':'): align.append('center') elif c.startswith(':'): align.append('left') elif c.endswith(':'): align.append('right') else: align.append(None) table = etree.SubElement(parent, 'table') table.set('class', 'wftable') thead = etree.SubElement(table, 'thead') self._build_row(header, thead, align, border) tbody = etree.SubElement(table, 'tbody') for row in rows: self._build_row(row.strip(), tbody, align, border)
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, parent, blocks):\n block = blocks.pop(0).split('\\n')\n header = block[0].strip()\n seperator = block[1].strip()\n rows = block[2:]\n border = False\n if header.startswith('|'):\n border = True\n align = []\n for c in self._split_row(seperator, border):\n if c.startswith(':') and c.endswith(':'):\n align.append('center')\n elif c.startswith(':'):\n align.append('left')\n elif c.endswith(':'):\n align.append('right')\n else:\n align.append(None)\n table = etree.SubElement(parent, 'table')\n table.set('class', 'wftable')\n thead = etree.SubElement(table, 'thead')\n self._build_row(header, thead, align, border)\n tbody = etree.SubElement(table, 'tbody')\n for row in rows:\n self._build_row(row.strip(), tbody, align, border)\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self, row, parent, align, border): tr = etree.SubElement(parent, 'tr') tag = 'td' if parent.tag == 'thead': tag = 'th' cells = self._split_row(row, border) for i, a in enumerate(align): c = etree.SubElement(tr, tag) try: c.text = cells[i].strip() except IndexError: c.text = '' if a: c.set('align', a)
build_row
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, row, parent, align, border):\n tr = etree.SubElement(parent, 'tr')\n tag = 'td'\n if parent.tag == 'thead':\n tag = 'th'\n cells = self._split_row(row, border)\n for i, a in enumerate(align):\n c = etree.SubElement(tr, tag)\n try:\n c.text = cells[i].strip()\n except IndexError:\n c.text = ''\n if a:\n c.set('align', a)\n", "role": "user" }, { "content": "build_row", "role": "assistant" } ]
def x(self, row, border): if border: if row.startswith('|'): row = row[1:] if row.endswith('|'): row = row[:-1] return row.split('|')
split_row
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, row, border):\n if border:\n if row.startswith('|'):\n row = row[1:]\n if row.endswith('|'):\n row = row[:-1]\n return row.split('|')\n", "role": "user" }, { "content": "split_row", "role": "assistant" } ]
def x(self, md, md_globals): md.parser.blockprocessors.add('table', TableProcessor(md.parser), '<hashheader')
extendMarkdown
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, md, md_globals):\n md.parser.blockprocessors.add('table', TableProcessor(md.parser),\n '<hashheader')\n", "role": "user" }, { "content": "extendMarkdown", "role": "assistant" } ]
def x(): static_dirs = set() for finder in settings.STATICFILES_FINDERS: finder = finders.get_finder(finder) if hasattr(finder, 'storages'): for storage in finder.storages.values(): static_dirs.add(storage.location) if hasattr(finder, 'storage'): static_dirs.add(finder.storage.location) return static_dirs
get_all_static
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n static_dirs = set()\n for finder in settings.STATICFILES_FINDERS:\n finder = finders.get_finder(finder)\n if hasattr(finder, 'storages'):\n for storage in finder.storages.values():\n static_dirs.add(storage.location)\n if hasattr(finder, 'storage'):\n static_dirs.add(finder.storage.location)\n return static_dirs\n", "role": "user" }, { "content": "get_all_static", "role": "assistant" } ]
def x(self, **kwargs): if self.infile is None and '{infile}' in self.command: if self.filename is None: self.infile = NamedTemporaryFile(mode='wb', suffix=self.infile_ext) self.infile.write(self.content.encode(self.default_encoding)) self.infile.flush() self.options += ('infile', self.infile.name), return super(BaseCompiler, self).input(**kwargs)
input
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n if self.infile is None and '{infile}' in self.command:\n if self.filename is None:\n self.infile = NamedTemporaryFile(mode='wb', suffix=self.infile_ext)\n self.infile.write(self.content.encode(self.default_encoding))\n self.infile.flush()\n self.options += ('infile', self.infile.name),\n return super(BaseCompiler, self).input(**kwargs)\n", "role": "user" }, { "content": "input", "role": "assistant" } ]
def x(obj): obj_type = type(obj) try: return hash((obj_type, obj)) except: return hash((obj_type, id(obj)))
graph_hash
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n obj_type = type(obj)\n try:\n return hash((obj_type, obj))\n except:\n return hash((obj_type, id(obj)))\n", "role": "user" }, { "content": "graph_hash", "role": "assistant" } ]
def x(self, item): assert not isinstance(item, RamGraphDBNode) item_hash = graph_hash(item) if item_hash not in self.nodes: self.nodes[item_hash] = RamGraphDBNode(item) return self.nodes[item_hash]
store_item
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item):\n assert not isinstance(item, RamGraphDBNode)\n item_hash = graph_hash(item)\n if item_hash not in self.nodes:\n self.nodes[item_hash] = RamGraphDBNode(item)\n return self.nodes[item_hash]\n", "role": "user" }, { "content": "store_item", "role": "assistant" } ]
def x(self, src, name, dst): self.__require_string__(name) self.store_item(src).link(name, self.store_item(dst))
store_relation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, src, name, dst):\n self.__require_string__(name)\n self.store_item(src).link(name, self.store_item(dst))\n", "role": "user" }, { "content": "store_relation", "role": "assistant" } ]
def x(self, src, relation, target): self.__require_string__(relation) if src in self and target in self: self._get_item_node(src).unlink(relation, self._get_item_node(target))
delete_relation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, src, relation, target):\n self.__require_string__(relation)\n if src in self and target in self:\n self._get_item_node(src).unlink(relation, self._get_item_node(target))\n", "role": "user" }, { "content": "delete_relation", "role": "assistant" } ]
def x(self, item): for relation, dst in self.relations_of(item, True): self.delete_relation(item, relation, dst) for src, relation in self.relations_to(item, True): self.delete_relation(src, relation, item) h = self._item_hash(item) if item in self: self.nodes[h].clear() del self.nodes[h]
delete_item
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item):\n for relation, dst in self.relations_of(item, True):\n self.delete_relation(item, relation, dst)\n for src, relation in self.relations_to(item, True):\n self.delete_relation(src, relation, item)\n h = self._item_hash(item)\n if item in self:\n self.nodes[h].clear()\n del self.nodes[h]\n", "role": "user" }, { "content": "delete_item", "role": "assistant" } ]
def x(self, target, include_object=False): relations = (target if isinstance(target, RamGraphDBNode) else self. _get_item_node(target)).outgoing if include_object: for k in relations: for v in relations[k]: if hasattr(v, 'obj'): yield k, v.obj else: yield from relations
relations_of
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, target, include_object=False):\n relations = (target if isinstance(target, RamGraphDBNode) else self.\n _get_item_node(target)).outgoing\n if include_object:\n for k in relations:\n for v in relations[k]:\n if hasattr(v, 'obj'):\n yield k, v.obj\n else:\n yield from relations\n", "role": "user" }, { "content": "relations_of", "role": "assistant" } ]
def x(self, target, include_object=False): relations = self._get_item_node(target).incoming if include_object: for k in relations: for v in relations[k]: if hasattr(v, 'obj'): yield v.obj, k else: yield from relations
relations_to
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, target, include_object=False):\n relations = self._get_item_node(target).incoming\n if include_object:\n for k in relations:\n for v in relations[k]:\n if hasattr(v, 'obj'):\n yield v.obj, k\n else:\n yield from relations\n", "role": "user" }, { "content": "relations_to", "role": "assistant" } ]
def x(self): for key in self.nodes: node = self.nodes[key] value = node.obj print(key, '-', repr(value), '-', node)
show_objects
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for key in self.nodes:\n node = self.nodes[key]\n value = node.obj\n print(key, '-', repr(value), '-', node)\n", "role": "user" }, { "content": "show_objects", "role": "assistant" } ]