source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(context, template_name, **kwargs): try: djengine = engines['django'] except KeyError as e: raise TemplateDoesNotExist( 'Django template engine not configured in settings, so template cannot be found: {}' .format(template_name)) from e djtemplate = djengine.get_template(template_name) djcontext = {} djcontext.update(context) djcontext.update(kwargs) return djtemplate.render(djcontext, context['request'])
django_include
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(context, template_name, **kwargs):\n try:\n djengine = engines['django']\n except KeyError as e:\n raise TemplateDoesNotExist(\n 'Django template engine not configured in settings, so template cannot be found: {}'\n .format(template_name)) from e\n djtemplate = djengine.get_template(template_name)\n djcontext = {}\n djcontext.update(context)\n djcontext.update(kwargs)\n return djtemplate.render(djcontext, context['request'])\n", "role": "user" }, { "content": "django_include", "role": "assistant" } ]
def x(context, escape_on=True): previous = is_autoescape(context) setattr(context.caller_stack, AUTOESCAPE_KEY, escape_on) try: context['caller'].body() finally: setattr(context.caller_stack, AUTOESCAPE_KEY, previous)
toggle_autoescape
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(context, escape_on=True):\n previous = is_autoescape(context)\n setattr(context.caller_stack, AUTOESCAPE_KEY, escape_on)\n try:\n context['caller'].body()\n finally:\n setattr(context.caller_stack, AUTOESCAPE_KEY, previous)\n", "role": "user" }, { "content": "toggle_autoescape", "role": "assistant" } ]
def x(path, start): relpath = os.path.relpath(path, start) if relpath.startswith('..'): return path return relpath
pretty_relpath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, start):\n relpath = os.path.relpath(path, start)\n if relpath.startswith('..'):\n return path\n return relpath\n", "role": "user" }, { "content": "pretty_relpath", "role": "assistant" } ]
def x(cls, f): real_func = inspect.unwrap(f) return real_func in cls.DECORATED_FUNCTIONS
is_decorated
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, f):\n real_func = inspect.unwrap(f)\n return real_func in cls.DECORATED_FUNCTIONS\n", "role": "user" }, { "content": "is_decorated", "role": "assistant" } ]
def x(cls): dmp = apps.get_app_config('django_mako_plus') cls.CONTENT_PROVIDERS = [] for provider_settings in dmp.options[cls.SETTINGS_KEY]: assert 'provider' in provider_settings, "Invalid entry in settings.py: CONTENT_PROVIDERS item must have 'provider' key" provider_cls = import_string(provider_settings['provider']) options = {} for base in reversed(inspect.getmro(provider_cls)): options.update(getattr(base, 'DEFAULT_OPTIONS', {})) options.update(provider_settings) if options['enabled']: pe = ProviderEntry(provider_cls, options) pe.options['template_cache_key'] = '_dmp_provider_{}_'.format(id (pe)) cls.CONTENT_PROVIDERS.append(pe)
initialize_providers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n dmp = apps.get_app_config('django_mako_plus')\n cls.CONTENT_PROVIDERS = []\n for provider_settings in dmp.options[cls.SETTINGS_KEY]:\n assert 'provider' in provider_settings, \"Invalid entry in settings.py: CONTENT_PROVIDERS item must have 'provider' key\"\n provider_cls = import_string(provider_settings['provider'])\n options = {}\n for base in reversed(inspect.getmro(provider_cls)):\n options.update(getattr(base, 'DEFAULT_OPTIONS', {}))\n options.update(provider_settings)\n if options['enabled']:\n pe = ProviderEntry(provider_cls, options)\n pe.options['template_cache_key'] = '_dmp_provider_{}_'.format(id\n (pe))\n cls.CONTENT_PROVIDERS.append(pe)\n", "role": "user" }, { "content": "initialize_providers", "role": "assistant" } ]
def x(self): for tpl in self.templates: for provider in tpl.providers: provider.provide()
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for tpl in self.templates:\n for provider in tpl.providers:\n provider.provide()\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self, content): self.buffer.write(content) if settings.DEBUG: self.buffer.write('\n')
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, content):\n self.buffer.write(content)\n if settings.DEBUG:\n self.buffer.write('\\n')\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(self): if isinstance(self.convert_type, str): try: app_name, model_name = self.convert_type.split('.') except ValueError: raise ImproperlyConfigured( '"{}" is not a valid converter type. String-based converter types must be specified in "app.Model" format.' .format(self.convert_type)) try: self.convert_type = apps.get_model(app_name, model_name) except LookupError as e: raise ImproperlyConfigured('"{}" is not a valid model name. {}' .format(self.convert_type, e)) self.sort_key = -1 * len(inspect.getmro(self.convert_type) ), -1 * self.source_order
prepare_sort_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if isinstance(self.convert_type, str):\n try:\n app_name, model_name = self.convert_type.split('.')\n except ValueError:\n raise ImproperlyConfigured(\n '\"{}\" is not a valid converter type. String-based converter types must be specified in \"app.Model\" format.'\n .format(self.convert_type))\n try:\n self.convert_type = apps.get_model(app_name, model_name)\n except LookupError as e:\n raise ImproperlyConfigured('\"{}\" is not a valid model name. {}'\n .format(self.convert_type, e))\n self.sort_key = -1 * len(inspect.getmro(self.convert_type)\n ), -1 * self.source_order\n", "role": "user" }, { "content": "prepare_sort_key", "role": "assistant" } ]
def x(self): if self.options['command']: return self.options['command'](self) if callable(self.options[ 'command']) else self.options['command'] return self.build_default_command()
build_command
[ { "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.options['command']:\n return self.options['command'](self) if callable(self.options[\n 'command']) else self.options['command']\n return self.build_default_command()\n", "role": "user" }, { "content": "build_command", "role": "assistant" } ]
def x(self): try: source_mtime = os.stat(self.sourcepath).st_mtime except OSError: return False try: target_mtime = os.stat(self.targetpath).st_mtime except OSError: return True return source_mtime > target_mtime
needs_compile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n source_mtime = os.stat(self.sourcepath).st_mtime\n except OSError:\n return False\n try:\n target_mtime = os.stat(self.targetpath).st_mtime\n except OSError:\n return True\n return source_mtime > target_mtime\n", "role": "user" }, { "content": "needs_compile", "role": "assistant" } ]
def x(obj): if isinstance(obj, MakoTemplate): obj = create_mako_context(obj)['self'] elif isinstance(obj, MakoContext): obj = obj['self'] while obj is not None: yield obj.template obj = obj.inherits
template_inheritance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n if isinstance(obj, MakoTemplate):\n obj = create_mako_context(obj)['self']\n elif isinstance(obj, MakoContext):\n obj = obj['self']\n while obj is not None:\n yield obj.template\n obj = obj.inherits\n", "role": "user" }, { "content": "template_inheritance", "role": "assistant" } ]
def x(template_name, error): stacktrace_template = MakoTemplate( """ <%! from mako.exceptions import syntax_highlight, pygments_html_formatter %> <style> .stacktrace { margin:5px 5px 5px 5px; } .highlight { padding:0px 10px 0px 10px; background-color:#9F9FDF; } .nonhighlight { padding:0px; background-color:#DFDFDF; } .sample { padding:10px; margin:10px 10px 10px 10px; font-family:monospace; } .sampleline { padding:0px 10px 0px 10px; } .sourceline { margin:5px 5px 10px 5px; font-family:monospace;} .location { font-size:80%; } .highlight { white-space:pre; } .sampleline { white-space:pre; } % if pygments_html_formatter: ${pygments_html_formatter.get_style_defs() | n} .linenos { min-width: 2.5em; text-align: right; } pre { margin: 0; } .syntax-highlighted { padding: 0 10px; } .syntax-highlightedtable { border-spacing: 1px; } .nonhighlight { border-top: 1px solid #DFDFDF; border-bottom: 1px solid #DFDFDF; } .stacktrace .nonhighlight { margin: 5px 15px 10px; } .sourceline { margin: 0 0; font-family:monospace; } .code { background-color: #F8F8F8; width: 100%; } .error .code { background-color: #FFBDBD; } .error .syntax-highlighted { background-color: #FFBDBD; } % endif ## adjustments to Django css table.source { background-color: #fdfdfd; } table.source > tbody > tr > th { width: auto; } table.source > tbody > tr > td { font-family: inherit; white-space: normal; padding: 15px; } #template { background-color: #b3daff; } </style> <% src = tback.source line = tback.lineno if isinstance(src, bytes): src = src.decode() if src: lines = src.split('\\n') else: lines = None %> <h3>${tback.errorname}: ${tback.message}</h3> % if lines: <div class="sample"> <div class="nonhighlight"> % for index in range(max(0, line-4),min(len(lines), line+5)): <% if pygments_html_formatter: pygments_html_formatter.linenostart = index + 1 %> % if index + 1 == line: <% if pygments_html_formatter: old_cssclass = pygments_html_formatter.cssclass pygments_html_formatter.cssclass = 'error ' + old_cssclass %> ${lines[index] | n,syntax_highlight(language='mako')} <% if pygments_html_formatter: pygments_html_formatter.cssclass = old_cssclass %> % else: ${lines[index] | n,syntax_highlight(language='mako')} % endif % endfor </div> </div> % endif <div class="stacktrace"> % for (filename, lineno, function, line) in tback.reverse_traceback: <div class="location">${filename}, line ${lineno}:</div> <div class="nonhighlight"> <% if pygments_html_formatter: pygments_html_formatter.linenostart = lineno %> <div class="sourceline">${line | n,syntax_highlight(filename)}</div> </div> % endfor </div> """ ) tback = RichTraceback(error, error.__traceback__) lines = stacktrace_template.render_unicode(tback=tback) return {'message': '', 'source_lines': [('', mark_safe(lines))], 'before': '', 'during': '', 'after': '', 'top': 0, 'bottom': 0, 'total': 0, 'line': tback.lineno or 0, 'name': template_name, 'start': 0, 'end': 0}
get_template_debug
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(template_name, error):\n stacktrace_template = MakoTemplate(\n \"\"\"\n<%! from mako.exceptions import syntax_highlight, pygments_html_formatter %>\n<style>\n .stacktrace { margin:5px 5px 5px 5px; }\n .highlight { padding:0px 10px 0px 10px; background-color:#9F9FDF; }\n .nonhighlight { padding:0px; background-color:#DFDFDF; }\n .sample { padding:10px; margin:10px 10px 10px 10px;\n font-family:monospace; }\n .sampleline { padding:0px 10px 0px 10px; }\n .sourceline { margin:5px 5px 10px 5px; font-family:monospace;}\n .location { font-size:80%; }\n .highlight { white-space:pre; }\n .sampleline { white-space:pre; }\n\n % if pygments_html_formatter:\n ${pygments_html_formatter.get_style_defs() | n}\n .linenos { min-width: 2.5em; text-align: right; }\n pre { margin: 0; }\n .syntax-highlighted { padding: 0 10px; }\n .syntax-highlightedtable { border-spacing: 1px; }\n .nonhighlight { border-top: 1px solid #DFDFDF;\n border-bottom: 1px solid #DFDFDF; }\n .stacktrace .nonhighlight { margin: 5px 15px 10px; }\n .sourceline { margin: 0 0; font-family:monospace; }\n .code { background-color: #F8F8F8; width: 100%; }\n .error .code { background-color: #FFBDBD; }\n .error .syntax-highlighted { background-color: #FFBDBD; }\n % endif\n\n ## adjustments to Django css\n table.source {\n background-color: #fdfdfd;\n }\n table.source > tbody > tr > th {\n width: auto;\n }\n table.source > tbody > tr > td {\n font-family: inherit;\n white-space: normal;\n padding: 15px;\n }\n #template {\n background-color: #b3daff;\n }\n\n</style>\n<%\n\n src = tback.source\n line = tback.lineno\n if isinstance(src, bytes):\n src = src.decode()\n if src:\n lines = src.split('\\\\n')\n else:\n lines = None\n%>\n<h3>${tback.errorname}: ${tback.message}</h3>\n\n% if lines:\n <div class=\"sample\">\n <div class=\"nonhighlight\">\n % for index in range(max(0, line-4),min(len(lines), line+5)):\n <%\n if pygments_html_formatter:\n pygments_html_formatter.linenostart = index + 1\n %>\n % if index + 1 == line:\n <%\n if pygments_html_formatter:\n old_cssclass = pygments_html_formatter.cssclass\n pygments_html_formatter.cssclass = 'error ' + old_cssclass\n %>\n ${lines[index] | n,syntax_highlight(language='mako')}\n <%\n if pygments_html_formatter:\n pygments_html_formatter.cssclass = old_cssclass\n %>\n % else:\n ${lines[index] | n,syntax_highlight(language='mako')}\n % endif\n % endfor\n </div>\n </div>\n% endif\n\n<div class=\"stacktrace\">\n% for (filename, lineno, function, line) in tback.reverse_traceback:\n <div class=\"location\">${filename}, line ${lineno}:</div>\n <div class=\"nonhighlight\">\n <%\n if pygments_html_formatter:\n pygments_html_formatter.linenostart = lineno\n %>\n <div class=\"sourceline\">${line | n,syntax_highlight(filename)}</div>\n </div>\n% endfor\n</div>\n\"\"\"\n )\n tback = RichTraceback(error, error.__traceback__)\n lines = stacktrace_template.render_unicode(tback=tback)\n return {'message': '', 'source_lines': [('', mark_safe(lines))],\n 'before': '', 'during': '', 'after': '', 'top': 0, 'bottom': 0,\n 'total': 0, 'line': tback.lineno or 0, 'name': template_name,\n 'start': 0, 'end': 0}\n", "role": "user" }, { "content": "get_template_debug", "role": "assistant" } ]
def x(self): if self.mako_template.filename: return os.path.basename(self.mako_template.filename) return 'string'
name
[ { "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.mako_template.filename:\n return os.path.basename(self.mako_template.filename)\n return 'string'\n", "role": "user" }, { "content": "name", "role": "assistant" } ]
def x(self, context=None, request=None, def_name=None): dmp = apps.get_app_config('django_mako_plus') context_dict = {} if request is None: context_dict['settings'] = settings context_dict['STATIC_URL'] = settings.STATIC_URL if not isinstance(context, Context): context = Context(context) if request is None else RequestContext( request, context) with context.bind_template(self): for d in context: context_dict.update(d) context_dict.pop('self', None) if dmp.options['SIGNALS'] and request is not None: for receiver, ret_template_obj in dmp_signal_pre_render_template.send( sender=self, request=request, context=context, template=self. mako_template): if ret_template_obj is not None: if isinstance(ret_template_obj, MakoTemplateAdapter): self.mako_template = ret_template_obj.mako_template else: self.mako_template = ret_template_obj render_obj = self.mako_template if def_name is None: def_name = self.def_name if def_name: render_obj = self.mako_template.get_def(def_name) if log.isEnabledFor(logging.INFO): log.info('rendering template %s%s%s', self.name, '::' if def_name else '', def_name or '') if settings.DEBUG: try: content = render_obj.render_unicode(**context_dict) except Exception as e: log.exception('exception raised during template rendering: %s', e) e.template_debug = get_template_debug('%s%s%s' % (self.name, '::' if def_name else '', def_name or ''), e) raise else: content = render_obj.render_unicode(**context_dict) if dmp.options['SIGNALS'] and request is not None: for receiver, ret_content in dmp_signal_post_render_template.send( sender=self, request=request, context=context, template=self. mako_template, content=content): if ret_content is not None: content = ret_content return mark_safe(content)
render
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, context=None, request=None, def_name=None):\n dmp = apps.get_app_config('django_mako_plus')\n context_dict = {}\n if request is None:\n context_dict['settings'] = settings\n context_dict['STATIC_URL'] = settings.STATIC_URL\n if not isinstance(context, Context):\n context = Context(context) if request is None else RequestContext(\n request, context)\n with context.bind_template(self):\n for d in context:\n context_dict.update(d)\n context_dict.pop('self', None)\n if dmp.options['SIGNALS'] and request is not None:\n for receiver, ret_template_obj in dmp_signal_pre_render_template.send(\n sender=self, request=request, context=context, template=self.\n mako_template):\n if ret_template_obj is not None:\n if isinstance(ret_template_obj, MakoTemplateAdapter):\n self.mako_template = ret_template_obj.mako_template\n else:\n self.mako_template = ret_template_obj\n render_obj = self.mako_template\n if def_name is None:\n def_name = self.def_name\n if def_name:\n render_obj = self.mako_template.get_def(def_name)\n if log.isEnabledFor(logging.INFO):\n log.info('rendering template %s%s%s', self.name, '::' if def_name else\n '', def_name or '')\n if settings.DEBUG:\n try:\n content = render_obj.render_unicode(**context_dict)\n except Exception as e:\n log.exception('exception raised during template rendering: %s', e)\n e.template_debug = get_template_debug('%s%s%s' % (self.name, \n '::' if def_name else '', def_name or ''), e)\n raise\n else:\n content = render_obj.render_unicode(**context_dict)\n if dmp.options['SIGNALS'] and request is not None:\n for receiver, ret_content in dmp_signal_post_render_template.send(\n sender=self, request=request, context=context, template=self.\n mako_template, content=content):\n if ret_content is not None:\n content = ret_content\n return mark_safe(content)\n", "role": "user" }, { "content": "render", "role": "assistant" } ]
def x(self, context=None, request=None, def_name=None, content_type=None, status=None, charset=None): try: if content_type is None: content_type = mimetypes.types_map.get(os.path.splitext(self. mako_template.filename)[1].lower(), settings. DEFAULT_CONTENT_TYPE) if charset is None: charset = settings.DEFAULT_CHARSET if status is None: status = 200 content = self.render(context=context, request=request, def_name= def_name) return HttpResponse(content.encode(charset), content_type= '%s; charset=%s' % (content_type, charset), status=status) except RedirectException: e = sys.exc_info()[1] if request is None: log.info('a template redirected processing to %s', e.redirect_to) else: log.info('view function %s.%s redirected processing to %s', request.dmp.module, request.dmp.function, e.redirect_to) dmp = apps.get_app_config('django_mako_plus') if dmp.options['SIGNALS']: dmp_signal_redirect_exception.send(sender=sys.modules[__name__], request=request, exc=e) return e.get_response(request)
render_to_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, context=None, request=None, def_name=None, content_type=None,\n status=None, charset=None):\n try:\n if content_type is None:\n content_type = mimetypes.types_map.get(os.path.splitext(self.\n mako_template.filename)[1].lower(), settings.\n DEFAULT_CONTENT_TYPE)\n if charset is None:\n charset = settings.DEFAULT_CHARSET\n if status is None:\n status = 200\n content = self.render(context=context, request=request, def_name=\n def_name)\n return HttpResponse(content.encode(charset), content_type=\n '%s; charset=%s' % (content_type, charset), status=status)\n except RedirectException:\n e = sys.exc_info()[1]\n if request is None:\n log.info('a template redirected processing to %s', e.redirect_to)\n else:\n log.info('view function %s.%s redirected processing to %s',\n request.dmp.module, request.dmp.function, e.redirect_to)\n dmp = apps.get_app_config('django_mako_plus')\n if dmp.options['SIGNALS']:\n dmp_signal_redirect_exception.send(sender=sys.modules[__name__],\n request=request, exc=e)\n return e.get_response(request)\n", "role": "user" }, { "content": "render_to_response", "role": "assistant" } ]
def x(self, parser, dest): for action in parser._actions: if action.dest == dest: return action return None
get_action_by_dest
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, parser, dest):\n for action in parser._actions:\n if action.dest == dest:\n return action\n return None\n", "role": "user" }, { "content": "get_action_by_dest", "role": "assistant" } ]
def x(self, *args, **options): if options['verbose']: options['verbosity'] = 3 if options['quiet']: options['verbosity'] = 0 self.verbosity = options.get('verbosity', 1) super().execute(*args, **options)
execute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **options):\n if options['verbose']:\n options['verbosity'] = 3\n if options['quiet']:\n options['verbosity'] = 0\n self.verbosity = options.get('verbosity', 1)\n super().execute(*args, **options)\n", "role": "user" }, { "content": "execute", "role": "assistant" } ]
def x(self, msg='', level=1, tab=0): if self.verbosity >= level: self.stdout.write('{}{}'.format(' ' * tab, msg))
message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg='', level=1, tab=0):\n if self.verbosity >= level:\n self.stdout.write('{}{}'.format(' ' * tab, msg))\n", "role": "user" }, { "content": "message", "role": "assistant" } ]
def x(uid): if not isinstance(uid, int): raise ValueError('Invalid integer: {}'.format(uid)) if uid == 0: return BASE58CHARS[0] enc_uid = '' while uid: uid, r = divmod(uid, 58) enc_uid = BASE58CHARS[r] + enc_uid return enc_uid
b58enc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(uid):\n if not isinstance(uid, int):\n raise ValueError('Invalid integer: {}'.format(uid))\n if uid == 0:\n return BASE58CHARS[0]\n enc_uid = ''\n while uid:\n uid, r = divmod(uid, 58)\n enc_uid = BASE58CHARS[r] + enc_uid\n return enc_uid\n", "role": "user" }, { "content": "b58enc", "role": "assistant" } ]
def x(enc_uid): if isinstance(enc_uid, str): pass elif isinstance(enc_uid, bytes): enc_uid = enc_uid.decode('utf8') else: raise ValueError('Cannot decode this type: {}'.format(enc_uid)) uid = 0 try: for i, ch in enumerate(enc_uid): uid = uid * 58 + BASE58INDEX[ch] except KeyError: raise ValueError('Invalid character: "{}" ("{}", index 5)'.format( ch, enc_uid, i)) return uid
b58dec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(enc_uid):\n if isinstance(enc_uid, str):\n pass\n elif isinstance(enc_uid, bytes):\n enc_uid = enc_uid.decode('utf8')\n else:\n raise ValueError('Cannot decode this type: {}'.format(enc_uid))\n uid = 0\n try:\n for i, ch in enumerate(enc_uid):\n uid = uid * 58 + BASE58INDEX[ch]\n except KeyError:\n raise ValueError('Invalid character: \"{}\" (\"{}\", index 5)'.format(\n ch, enc_uid, i))\n return uid\n", "role": "user" }, { "content": "b58dec", "role": "assistant" } ]
def x(text, minifier): minified = minifier(text) if abs(len(text) - len(minified)) > 50 or '\n' in text[:50]: return minified return text
minify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, minifier):\n minified = minifier(text)\n if abs(len(text) - len(minified)) > 50 or '\\n' in text[:50]:\n return minified\n return text\n", "role": "user" }, { "content": "minify", "role": "assistant" } ]
def x(self, fname, flevel, ftype): if self.filetype == ftype and (self.level is None or self.level == flevel ) and fnmatch.fnmatch(fname, self.pattern): return self.score return 0
match
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fname, flevel, ftype):\n if self.filetype == ftype and (self.level is None or self.level == flevel\n ) and fnmatch.fnmatch(fname, self.pattern):\n return self.score\n return 0\n", "role": "user" }, { "content": "match", "role": "assistant" } ]
def x(self): dmp = apps.get_app_config('django_mako_plus') rules = [Rule('*', level=None, filetype=TYPE_FILE, score=1), Rule('*', level=0, filetype=TYPE_FILE, score=-2), Rule('*', level=None, filetype=TYPE_DIRECTORY, score=1), Rule('*', level=0, filetype= TYPE_DIRECTORY, score=-2), Rule('media', level=0, filetype= TYPE_DIRECTORY, score=6), Rule('scripts', level=0, filetype= TYPE_DIRECTORY, score=6), Rule('styles', level=0, filetype= TYPE_DIRECTORY, score=6), Rule(dmp.options['TEMPLATES_CACHE_DIR'], level=None, filetype=TYPE_DIRECTORY, score=-3), Rule('__pycache__', level=None, filetype=TYPE_DIRECTORY, score=-3), Rule('*.pyc', level =None, filetype=TYPE_FILE, score=-3)] for pattern in (self.options.get('include_dir') or []): self.message('Setting rule - recurse directories: {}'.format( pattern), 1) rules.append(Rule(pattern, level=None, filetype=TYPE_DIRECTORY, score=50)) for pattern in (self.options.get('include_file') or []): self.message('Setting rule - include files: {}'.format(pattern), 1) rules.append(Rule(pattern, level=None, filetype=TYPE_FILE, score=50)) for pattern in (self.options.get('skip_dir') or []): self.message('Setting rule - skip directories: {}'.format(pattern), 1) rules.append(Rule(pattern, level=None, filetype=TYPE_DIRECTORY, score=-100)) for pattern in (self.options.get('skip_file') or []): self.message('Setting rule - skip files: {}'.format(pattern), 1) rules.append(Rule(pattern, level=None, filetype=TYPE_FILE, score=-100)) return rules
create_rules
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n dmp = apps.get_app_config('django_mako_plus')\n rules = [Rule('*', level=None, filetype=TYPE_FILE, score=1), Rule('*',\n level=0, filetype=TYPE_FILE, score=-2), Rule('*', level=None,\n filetype=TYPE_DIRECTORY, score=1), Rule('*', level=0, filetype=\n TYPE_DIRECTORY, score=-2), Rule('media', level=0, filetype=\n TYPE_DIRECTORY, score=6), Rule('scripts', level=0, filetype=\n TYPE_DIRECTORY, score=6), Rule('styles', level=0, filetype=\n TYPE_DIRECTORY, score=6), Rule(dmp.options['TEMPLATES_CACHE_DIR'],\n level=None, filetype=TYPE_DIRECTORY, score=-3), Rule('__pycache__',\n level=None, filetype=TYPE_DIRECTORY, score=-3), Rule('*.pyc', level\n =None, filetype=TYPE_FILE, score=-3)]\n for pattern in (self.options.get('include_dir') or []):\n self.message('Setting rule - recurse directories: {}'.format(\n pattern), 1)\n rules.append(Rule(pattern, level=None, filetype=TYPE_DIRECTORY,\n score=50))\n for pattern in (self.options.get('include_file') or []):\n self.message('Setting rule - include files: {}'.format(pattern), 1)\n rules.append(Rule(pattern, level=None, filetype=TYPE_FILE, score=50))\n for pattern in (self.options.get('skip_dir') or []):\n self.message('Setting rule - skip directories: {}'.format(pattern), 1)\n rules.append(Rule(pattern, level=None, filetype=TYPE_DIRECTORY,\n score=-100))\n for pattern in (self.options.get('skip_file') or []):\n self.message('Setting rule - skip files: {}'.format(pattern), 1)\n rules.append(Rule(pattern, level=None, filetype=TYPE_FILE, score=-100))\n return rules\n", "role": "user" }, { "content": "create_rules", "role": "assistant" } ]
def x(self, source, dest, level=0): encoding = settings.DEFAULT_CHARSET or 'utf8' msglevel = 2 if level == 0 else 3 self.message('Directory: {}'.format(source), msglevel, level) if not os.path.exists(dest): self.message('Creating directory: {}'.format(dest), msglevel, level + 1 ) os.mkdir(dest) for fname in os.listdir(source): source_path = os.path.join(source, fname) dest_path = os.path.join(dest, fname) ext = os.path.splitext(fname)[1].lower() score = 0 for rule in self.rules: score += rule.match(fname, level, TYPE_DIRECTORY if os.path. isdir(source_path) else TYPE_FILE) if score <= 0: self.message('Skipping file with score {}: {}'.format(score, source_path), msglevel, level + 1) continue if os.path.isdir(source_path): self.message('Creating directory with score {}: {}'.format( score, source_path), msglevel, level + 1) if not os.path.exists(dest_path): os.mkdir(dest_path) elif not os.path.isdir(dest_path): os.unlink(dest_path) os.mkdir(dest_path) self.copy_dir(source_path, dest_path, level + 1) elif ext == '.js' and not self.options.get('no_minify') and jsmin: self.message('Including and minifying file with score {}: {}'. format(score, source_path), msglevel, level + 1) with open(source_path, encoding=encoding) as fin: with open(dest_path, 'w', encoding=encoding) as fout: minified = minify(fin.read(), jsmin) fout.write(minified) elif ext == '.css' and not self.options.get('no_minify') and cssmin: self.message('Including and minifying file with score {}: {}'. format(score, source_path), msglevel, level + 1) with open(source_path, encoding=encoding) as fin: with open(dest_path, 'w', encoding=encoding) as fout: minified = minify(fin.read(), cssmin) fout.write(minified) else: self.message('Including file with score {}: {}'.format(score, source_path), msglevel, level + 1) shutil.copy2(source_path, dest_path)
copy_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, source, dest, level=0):\n encoding = settings.DEFAULT_CHARSET or 'utf8'\n msglevel = 2 if level == 0 else 3\n self.message('Directory: {}'.format(source), msglevel, level)\n if not os.path.exists(dest):\n self.message('Creating directory: {}'.format(dest), msglevel, level + 1\n )\n os.mkdir(dest)\n for fname in os.listdir(source):\n source_path = os.path.join(source, fname)\n dest_path = os.path.join(dest, fname)\n ext = os.path.splitext(fname)[1].lower()\n score = 0\n for rule in self.rules:\n score += rule.match(fname, level, TYPE_DIRECTORY if os.path.\n isdir(source_path) else TYPE_FILE)\n if score <= 0:\n self.message('Skipping file with score {}: {}'.format(score,\n source_path), msglevel, level + 1)\n continue\n if os.path.isdir(source_path):\n self.message('Creating directory with score {}: {}'.format(\n score, source_path), msglevel, level + 1)\n if not os.path.exists(dest_path):\n os.mkdir(dest_path)\n elif not os.path.isdir(dest_path):\n os.unlink(dest_path)\n os.mkdir(dest_path)\n self.copy_dir(source_path, dest_path, level + 1)\n elif ext == '.js' and not self.options.get('no_minify') and jsmin:\n self.message('Including and minifying file with score {}: {}'.\n format(score, source_path), msglevel, level + 1)\n with open(source_path, encoding=encoding) as fin:\n with open(dest_path, 'w', encoding=encoding) as fout:\n minified = minify(fin.read(), jsmin)\n fout.write(minified)\n elif ext == '.css' and not self.options.get('no_minify') and cssmin:\n self.message('Including and minifying file with score {}: {}'.\n format(score, source_path), msglevel, level + 1)\n with open(source_path, encoding=encoding) as fin:\n with open(dest_path, 'w', encoding=encoding) as fout:\n minified = minify(fin.read(), cssmin)\n fout.write(minified)\n else:\n self.message('Including file with score {}: {}'.format(score,\n source_path), msglevel, level + 1)\n shutil.copy2(source_path, dest_path)\n", "role": "user" }, { "content": "copy_dir", "role": "assistant" } ]
def x(context, template_name, def_name=None, **kwargs): dmp = apps.get_app_config('django_mako_plus') template = dmp.engine.get_template(template_name) dmpcontext = context.flatten() dmpcontext.update(kwargs) return mark_safe(template.render(context=dmpcontext, request=context. get('request'), def_name=def_name))
dmp_include
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(context, template_name, def_name=None, **kwargs):\n dmp = apps.get_app_config('django_mako_plus')\n template = dmp.engine.get_template(template_name)\n dmpcontext = context.flatten()\n dmpcontext.update(kwargs)\n return mark_safe(template.render(context=dmpcontext, request=context.\n get('request'), def_name=def_name))\n", "role": "user" }, { "content": "dmp_include", "role": "assistant" } ]
def x(self, template, context=None, def_name=None, subdir='templates', content_type=None, status=None, charset=None): template_adapter = self.get_template_loader(subdir).get_template(template) return getattr(template_adapter, 'render_to_response')(context=context, request=self.request, def_name=def_name, content_type=content_type, status=status, charset=charset)
render
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, template, context=None, def_name=None, subdir='templates',\n content_type=None, status=None, charset=None):\n template_adapter = self.get_template_loader(subdir).get_template(template)\n return getattr(template_adapter, 'render_to_response')(context=context,\n request=self.request, def_name=def_name, content_type=content_type,\n status=status, charset=charset)\n", "role": "user" }, { "content": "render", "role": "assistant" } ]
def x(self, template, context=None, def_name=None, subdir='templates'): template_adapter = self.get_template_loader(subdir).get_template(template) return getattr(template_adapter, 'render')(context=context, request= self.request, def_name=def_name)
render_to_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, template, context=None, def_name=None, subdir='templates'):\n template_adapter = self.get_template_loader(subdir).get_template(template)\n return getattr(template_adapter, 'render')(context=context, request=\n self.request, def_name=def_name)\n", "role": "user" }, { "content": "render_to_string", "role": "assistant" } ]
def x(self, subdir='templates'): if self.request is None: raise ValueError( 'this method can only be called after the view middleware is run. Check that `django_mako_plus.middleware` is in MIDDLEWARE.' ) dmp = apps.get_app_config('django_mako_plus') return dmp.engine.get_template_loader(self.app, subdir)
get_template_loader
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subdir='templates'):\n if self.request is None:\n raise ValueError(\n 'this method can only be called after the view middleware is run. Check that `django_mako_plus.middleware` is in MIDDLEWARE.'\n )\n dmp = apps.get_app_config('django_mako_plus')\n return dmp.engine.get_template_loader(self.app, subdir)\n", "role": "user" }, { "content": "get_template_loader", "role": "assistant" } ]
def x(self): self.options = {} self.options.update(DEFAULT_OPTIONS) for template_engine in settings.TEMPLATES: if template_engine.get('BACKEND', '').startswith('django_mako_plus'): self.options.update(template_engine.get('OPTIONS', {})) self.registration_lock = threading.RLock() self.registered_apps = {} self.engine = engines['django_mako_plus'] self.template_imports = ['import django_mako_plus', 'import django.utils.html'] self.template_imports.extend(self.options['DEFAULT_TEMPLATE_IMPORTS']) ProviderRun.initialize_providers() from .converter.base import ParameterConverter ParameterConverter._sort_converters(app_ready=True)
ready
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.options = {}\n self.options.update(DEFAULT_OPTIONS)\n for template_engine in settings.TEMPLATES:\n if template_engine.get('BACKEND', '').startswith('django_mako_plus'):\n self.options.update(template_engine.get('OPTIONS', {}))\n self.registration_lock = threading.RLock()\n self.registered_apps = {}\n self.engine = engines['django_mako_plus']\n self.template_imports = ['import django_mako_plus',\n 'import django.utils.html']\n self.template_imports.extend(self.options['DEFAULT_TEMPLATE_IMPORTS'])\n ProviderRun.initialize_providers()\n from .converter.base import ParameterConverter\n ParameterConverter._sort_converters(app_ready=True)\n", "role": "user" }, { "content": "ready", "role": "assistant" } ]
def x(self, app=None): app = app or self.options['DEFAULT_APP'] if not app: raise ImproperlyConfigured( 'An app name is required because DEFAULT_APP is empty - please use a valid app name or set the DEFAULT_APP in settings' ) if isinstance(app, str): app = apps.get_app_config(app) with self.registration_lock: if app.name in self.registered_apps: return self.registered_apps[app.name] = app self.engine.get_template_loader(app, 'templates', create=True) self.engine.get_template_loader(app, 'scripts', create=True) self.engine.get_template_loader(app, 'styles', create=True) if self.options['SIGNALS']: dmp_signal_register_app.send(sender=self, app_config=app)
register_app
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, app=None):\n app = app or self.options['DEFAULT_APP']\n if not app:\n raise ImproperlyConfigured(\n 'An app name is required because DEFAULT_APP is empty - please use a valid app name or set the DEFAULT_APP in settings'\n )\n if isinstance(app, str):\n app = apps.get_app_config(app)\n with self.registration_lock:\n if app.name in self.registered_apps:\n return\n self.registered_apps[app.name] = app\n self.engine.get_template_loader(app, 'templates', create=True)\n self.engine.get_template_loader(app, 'scripts', create=True)\n self.engine.get_template_loader(app, 'styles', create=True)\n if self.options['SIGNALS']:\n dmp_signal_register_app.send(sender=self, app_config=app)\n", "role": "user" }, { "content": "register_app", "role": "assistant" } ]
def x(self, app): if app is None: return False if isinstance(app, AppConfig): app = app.name return app in self.registered_apps
is_registered_app
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, app):\n if app is None:\n return False\n if isinstance(app, AppConfig):\n app = app.name\n return app in self.registered_apps\n", "role": "user" }, { "content": "is_registered_app", "role": "assistant" } ]
def x(self, idx, default=''): if isinstance(idx, int) and (idx >= len(self) or idx < -1 * len(self)): return default return super().__getitem__(idx)
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, idx, default=''):\n if isinstance(idx, int) and (idx >= len(self) or idx < -1 * len(self)):\n return default\n return super().__getitem__(idx)\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(value, parameter): value = _check_default(value, parameter, ('', '-', None)) if value is None or isinstance(value, int): return value try: return int(value) except Exception as e: raise ValueError(str(e))
convert_int
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, parameter):\n value = _check_default(value, parameter, ('', '-', None))\n if value is None or isinstance(value, int):\n return value\n try:\n return int(value)\n except Exception as e:\n raise ValueError(str(e))\n", "role": "user" }, { "content": "convert_int", "role": "assistant" } ]
def x(value, parameter): value = _check_default(value, parameter, ('', '-', None)) if value is None or isinstance(value, float): return value try: return float(value) except Exception as e: raise ValueError(str(e))
convert_float
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, parameter):\n value = _check_default(value, parameter, ('', '-', None))\n if value is None or isinstance(value, float):\n return value\n try:\n return float(value)\n except Exception as e:\n raise ValueError(str(e))\n", "role": "user" }, { "content": "convert_float", "role": "assistant" } ]
def x(value, parameter): value = _check_default(value, parameter, ('', '-', None)) if value is None or isinstance(value, decimal.Decimal): return value try: return decimal.Decimal(value) except Exception as e: raise ValueError(str(e))
convert_decimal
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, parameter):\n value = _check_default(value, parameter, ('', '-', None))\n if value is None or isinstance(value, decimal.Decimal):\n return value\n try:\n return decimal.Decimal(value)\n except Exception as e:\n raise ValueError(str(e))\n", "role": "user" }, { "content": "convert_decimal", "role": "assistant" } ]
def x(value, parameter, default=False): value = _check_default(value, parameter, ('', '-', None)) if isinstance(value, bool): return value if isinstance(value, str) and len(value) > 0: value = value[0] return value not in ('f', 'F', '0', False, None)
convert_boolean
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, parameter, default=False):\n value = _check_default(value, parameter, ('', '-', None))\n if isinstance(value, bool):\n return value\n if isinstance(value, str) and len(value) > 0:\n value = value[0]\n return value not in ('f', 'F', '0', False, None)\n", "role": "user" }, { "content": "convert_boolean", "role": "assistant" } ]
def x(value, parameter): value = _check_default(value, parameter, ('', '-', None)) if value is None or isinstance(value, datetime.datetime): return value for fmt in settings.DATETIME_INPUT_FORMATS: try: return datetime.datetime.strptime(value, fmt) except (ValueError, TypeError): continue raise ValueError( '`{}` does not match a format in settings.DATETIME_INPUT_FORMATS'. format(value))
convert_datetime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, parameter):\n value = _check_default(value, parameter, ('', '-', None))\n if value is None or isinstance(value, datetime.datetime):\n return value\n for fmt in settings.DATETIME_INPUT_FORMATS:\n try:\n return datetime.datetime.strptime(value, fmt)\n except (ValueError, TypeError):\n continue\n raise ValueError(\n '`{}` does not match a format in settings.DATETIME_INPUT_FORMATS'.\n format(value))\n", "role": "user" }, { "content": "convert_datetime", "role": "assistant" } ]
def x(value, parameter): value = _check_default(value, parameter, ('', '-', None)) if value is None or isinstance(value, datetime.date): return value for fmt in settings.DATE_INPUT_FORMATS: try: return datetime.datetime.strptime(value, fmt).date() except (ValueError, TypeError): continue raise ValueError( '`{}` does not match a format in settings.DATE_INPUT_FORMATS'. format(value))
convert_date
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, parameter):\n value = _check_default(value, parameter, ('', '-', None))\n if value is None or isinstance(value, datetime.date):\n return value\n for fmt in settings.DATE_INPUT_FORMATS:\n try:\n return datetime.datetime.strptime(value, fmt).date()\n except (ValueError, TypeError):\n continue\n raise ValueError(\n '`{}` does not match a format in settings.DATE_INPUT_FORMATS'.\n format(value))\n", "role": "user" }, { "content": "convert_date", "role": "assistant" } ]
def x(value, parameter): value = _check_default(value, parameter, ('', '-', '0', None)) if isinstance(value, (int, str)): try: return parameter.type.objects.get(id=value) except (MultipleObjectsReturned, ObjectDoesNotExist) as e: raise ValueError(str(e)) return value
convert_id_to_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, parameter):\n value = _check_default(value, parameter, ('', '-', '0', None))\n if isinstance(value, (int, str)):\n try:\n return parameter.type.objects.get(id=value)\n except (MultipleObjectsReturned, ObjectDoesNotExist) as e:\n raise ValueError(str(e))\n return value\n", "role": "user" }, { "content": "convert_id_to_model", "role": "assistant" } ]
def x(value, parameter, default_chars): if value in default_chars: if parameter.default is inspect.Parameter.empty: raise ValueError( 'Value was empty, but no default value is given in view function for parameter: {} ({})' .format(parameter.position, parameter.name)) return parameter.default return value
check_default
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, parameter, default_chars):\n if value in default_chars:\n if parameter.default is inspect.Parameter.empty:\n raise ValueError(\n 'Value was empty, but no default value is given in view function for parameter: {} ({})'\n .format(parameter.position, parameter.name))\n return parameter.default\n return value\n", "role": "user" }, { "content": "check_default", "role": "assistant" } ]
def x(*convert_types): def x(func): for ct in convert_types: ParameterConverter._register_converter(func, ct) return func return inner
parameter_converter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*convert_types):\n\n def x(func):\n for ct in convert_types:\n ParameterConverter._register_converter(func, ct)\n return func\n return inner\n", "role": "user" }, { "content": "parameter_converter", "role": "assistant" } ]
def x(handler, cfg): if 'stages' not in cfg: raise ValueError('Protocol must include stages of simulation') pos, vel, box = handler.positions, handler.velocities, handler.box stages = cfg.pop('stages') for stage_options in stages: options = DEFAULT_OPTIONS.copy() options.update(cfg) stage_system_options = prepare_system_options(stage_options) options.update(stage_options) options['system_options'].update(stage_system_options) stage = Stage(handler, positions=pos, velocities=vel, box=box, total_stages=len(stages), **options) pos, vel, box = stage.run() del stage
protocol
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(handler, cfg):\n if 'stages' not in cfg:\n raise ValueError('Protocol must include stages of simulation')\n pos, vel, box = handler.positions, handler.velocities, handler.box\n stages = cfg.pop('stages')\n for stage_options in stages:\n options = DEFAULT_OPTIONS.copy()\n options.update(cfg)\n stage_system_options = prepare_system_options(stage_options)\n options.update(stage_options)\n options['system_options'].update(stage_system_options)\n stage = Stage(handler, positions=pos, velocities=vel, box=box,\n total_stages=len(stages), **options)\n pos, vel, box = stage.run()\n del stage\n", "role": "user" }, { "content": "protocol", "role": "assistant" } ]
def x(self): if self.verbose: status = '#{}'.format(self.stage_index) if self.total_stages is not None: status += '/{}'.format(self.total_stages) status += ': {}'.format(self.name) pieces = [] if self.restrained_atoms is not None: pieces.append('restrained {}'.format(self.restrained_atoms)) if self.constrained_atoms is not None: pieces.append('constrained {}'.format(self.constrained_atoms)) if self.distance_restrained_atoms is not None: pieces.append('distance restrained for {} atom pairs'.format( len(self.distance_restrained_atoms))) if pieces: status += ' [{}]'.format(', '.join(pieces)) logger.info(status) self.apply_restraints() self.apply_constraints() if self.barostat: self.apply_barostat() if self.minimization: if self.verbose: logger.info(' Minimizing...') self.minimize() uses_pbc = self.system.usesPeriodicBoundaryConditions() if self.steps: if (self.report and self.progress_reporter not in self.simulation. reporters): self.simulation.reporters.append(self.progress_reporter) if self.report and self.log_reporter not in self.simulation.reporters: self.simulation.reporters.append(self.log_reporter) if (self.trajectory and self.trajectory_reporter not in self. simulation.reporters): self.simulation.reporters.append(self.trajectory_reporter) if (self.restart and self.restart_reporter not in self.simulation. reporters): self.simulation.reporters.append(self.restart_reporter) if self.verbose: pbc = 'PBC ' if uses_pbc else '' conditions = 'NPT' if self.barostat else 'NVT' logger.info(' Running {}MD for {} steps @ {}K, {}'.format(pbc, self.steps, self.temperature, conditions)) with self.handle_exceptions(): self.simulate() if self.save_state_at_end: path = self.new_filename(suffix='.state') self.simulation.saveState(path) state = self.simulation.context.getState(getPositions=True, getVelocities=True, enforcePeriodicBox=uses_pbc) return state.getPositions(), state.getVelocities( ), state.getPeriodicBoxVectors()
run
[ { "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.verbose:\n status = '#{}'.format(self.stage_index)\n if self.total_stages is not None:\n status += '/{}'.format(self.total_stages)\n status += ': {}'.format(self.name)\n pieces = []\n if self.restrained_atoms is not None:\n pieces.append('restrained {}'.format(self.restrained_atoms))\n if self.constrained_atoms is not None:\n pieces.append('constrained {}'.format(self.constrained_atoms))\n if self.distance_restrained_atoms is not None:\n pieces.append('distance restrained for {} atom pairs'.format(\n len(self.distance_restrained_atoms)))\n if pieces:\n status += ' [{}]'.format(', '.join(pieces))\n logger.info(status)\n self.apply_restraints()\n self.apply_constraints()\n if self.barostat:\n self.apply_barostat()\n if self.minimization:\n if self.verbose:\n logger.info(' Minimizing...')\n self.minimize()\n uses_pbc = self.system.usesPeriodicBoundaryConditions()\n if self.steps:\n if (self.report and self.progress_reporter not in self.simulation.\n reporters):\n self.simulation.reporters.append(self.progress_reporter)\n if self.report and self.log_reporter not in self.simulation.reporters:\n self.simulation.reporters.append(self.log_reporter)\n if (self.trajectory and self.trajectory_reporter not in self.\n simulation.reporters):\n self.simulation.reporters.append(self.trajectory_reporter)\n if (self.restart and self.restart_reporter not in self.simulation.\n reporters):\n self.simulation.reporters.append(self.restart_reporter)\n if self.verbose:\n pbc = 'PBC ' if uses_pbc else ''\n conditions = 'NPT' if self.barostat else 'NVT'\n logger.info(' Running {}MD for {} steps @ {}K, {}'.format(pbc,\n self.steps, self.temperature, conditions))\n with self.handle_exceptions():\n self.simulate()\n if self.save_state_at_end:\n path = self.new_filename(suffix='.state')\n self.simulation.saveState(path)\n state = self.simulation.context.getState(getPositions=True,\n getVelocities=True, enforcePeriodicBox=uses_pbc)\n return state.getPositions(), state.getVelocities(\n ), state.getPeriodicBoxVectors()\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self, tolerance=None, max_iterations=None): if tolerance is None: tolerance = self.minimization_tolerance if max_iterations is None: max_iterations = self.minimization_max_iterations self.simulation.minimizeEnergy(tolerance * u.kilojoules_per_mole, max_iterations)
minimize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tolerance=None, max_iterations=None):\n if tolerance is None:\n tolerance = self.minimization_tolerance\n if max_iterations is None:\n max_iterations = self.minimization_max_iterations\n self.simulation.minimizeEnergy(tolerance * u.kilojoules_per_mole,\n max_iterations)\n", "role": "user" }, { "content": "minimize", "role": "assistant" } ]
def x(self, steps=None): if steps is None: steps = self.steps self.simulation.step(steps)
simulate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, steps=None):\n if steps is None:\n steps = self.steps\n self.simulation.step(steps)\n", "role": "user" }, { "content": "simulate", "role": "assistant" } ]
def x(self, indices=None, strength=5.0): if self.system.usesPeriodicBoundaryConditions(): expression = 'k*periodicdistance(x, y, z, x0, y0, z0)^2' else: expression = 'k*((x-x0)^2 + (y-y0)^2 + (z-z0)^2)' force = mm.CustomExternalForce(expression) force.addGlobalParameter('k', strength * u.kilocalories_per_mole / u. angstroms ** 2) force.addPerParticleParameter('x0') force.addPerParticleParameter('y0') force.addPerParticleParameter('z0') positions = (self.positions if self.positions is not None else self. handler.positions) if indices is None: indices = range(self.handler.topology.getNumAtoms()) for i, index in enumerate(indices): force.addParticle(i, positions[index].value_in_unit(u.nanometers)) return force
restraint_force
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, indices=None, strength=5.0):\n if self.system.usesPeriodicBoundaryConditions():\n expression = 'k*periodicdistance(x, y, z, x0, y0, z0)^2'\n else:\n expression = 'k*((x-x0)^2 + (y-y0)^2 + (z-z0)^2)'\n force = mm.CustomExternalForce(expression)\n force.addGlobalParameter('k', strength * u.kilocalories_per_mole / u.\n angstroms ** 2)\n force.addPerParticleParameter('x0')\n force.addPerParticleParameter('y0')\n force.addPerParticleParameter('z0')\n positions = (self.positions if self.positions is not None else self.\n handler.positions)\n if indices is None:\n indices = range(self.handler.topology.getNumAtoms())\n for i, index in enumerate(indices):\n force.addParticle(i, positions[index].value_in_unit(u.nanometers))\n return force\n", "role": "user" }, { "content": "restraint_force", "role": "assistant" } ]
def x(self, atoms, distances, strengths): system = self.system force = mm.HarmonicBondForce() force.setUsesPeriodicBoundaryConditions(self.system. usesPeriodicBoundaryConditions()) for pair, distance, strength in zip(atoms, distances, strengths): indices = [] for atom in pair: if isinstance(atom, str): index = self.subset(atom) if len(index) != 1: raise ValueError( 'Distance restraint for selection `{}` returns != 1 atom!: {}' .format(atom, index)) indices.append(int(index[0])) elif isinstance(atom, (int, float)): indices.append(int(atom)) else: raise ValueError( 'Distance restraint atoms must be int or str DSL selections' ) if distance == 'current': pos = self.positions or system.positions distance = np.linalg.norm(pos[indices[0]] - pos[indices[1]]) force.addBond(indices[0], indices[1], distance * u.nanometers, strength * u.kilocalories_per_mole / u.angstroms ** 2) return force
distance_restraint_force
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, atoms, distances, strengths):\n system = self.system\n force = mm.HarmonicBondForce()\n force.setUsesPeriodicBoundaryConditions(self.system.\n usesPeriodicBoundaryConditions())\n for pair, distance, strength in zip(atoms, distances, strengths):\n indices = []\n for atom in pair:\n if isinstance(atom, str):\n index = self.subset(atom)\n if len(index) != 1:\n raise ValueError(\n 'Distance restraint for selection `{}` returns != 1 atom!: {}'\n .format(atom, index))\n indices.append(int(index[0]))\n elif isinstance(atom, (int, float)):\n indices.append(int(atom))\n else:\n raise ValueError(\n 'Distance restraint atoms must be int or str DSL selections'\n )\n if distance == 'current':\n pos = self.positions or system.positions\n distance = np.linalg.norm(pos[indices[0]] - pos[indices[1]])\n force.addBond(indices[0], indices[1], distance * u.nanometers, \n strength * u.kilocalories_per_mole / u.angstroms ** 2)\n return force\n", "role": "user" }, { "content": "distance_restraint_force", "role": "assistant" } ]
def x(self, selector): if isinstance(selector, (list, tuple)): return map(int, selector) selector = SELECTORS.get(selector, selector) mdtop = MDTrajTopology.from_openmm(self.handler.topology) return mdtop.select(selector)
subset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, selector):\n if isinstance(selector, (list, tuple)):\n return map(int, selector)\n selector = SELECTORS.get(selector, selector)\n mdtop = MDTrajTopology.from_openmm(self.handler.topology)\n return mdtop.select(selector)\n", "role": "user" }, { "content": "subset", "role": "assistant" } ]
def x(self, verbose=True): try: yield except (KeyboardInterrupt, Exception) as ex: if not self.attempt_rescue: raise ex if isinstance(ex, KeyboardInterrupt): reraise = False answer = timed_input( '\n\nDo you want to save current state? (y/N): ') if answer and answer.lower() not in ('y', 'yes'): if verbose: sys.exit('Ok, bye!') else: reraise = True logger.error('\n\nAn error occurred: %s', ex) if verbose: logger.info('Saving state...') try: self.backup_simulation() except Exception: if verbose: logger.error('FAILED :(') else: if verbose: logger.info('SUCCESS!') finally: if reraise: raise ex sys.exit()
handle_exceptions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, verbose=True):\n try:\n yield\n except (KeyboardInterrupt, Exception) as ex:\n if not self.attempt_rescue:\n raise ex\n if isinstance(ex, KeyboardInterrupt):\n reraise = False\n answer = timed_input(\n '\\n\\nDo you want to save current state? (y/N): ')\n if answer and answer.lower() not in ('y', 'yes'):\n if verbose:\n sys.exit('Ok, bye!')\n else:\n reraise = True\n logger.error('\\n\\nAn error occurred: %s', ex)\n if verbose:\n logger.info('Saving state...')\n try:\n self.backup_simulation()\n except Exception:\n if verbose:\n logger.error('FAILED :(')\n else:\n if verbose:\n logger.info('SUCCESS!')\n finally:\n if reraise:\n raise ex\n sys.exit()\n", "role": "user" }, { "content": "handle_exceptions", "role": "assistant" } ]
def x(self): path = self.new_filename(suffix='_emergency.state') self.simulation.saveState(path) uses_pbc = self.system.usesPeriodicBoundaryConditions() state_kw = dict(getPositions=True, getVelocities=True, getForces=True, enforcePeriodicBox=uses_pbc, getParameters=True, getEnergy=True) state = self.simulation.context.getState(**state_kw) for reporter in self.simulation.reporters: if not isinstance(reporter, app.StateDataReporter): reporter.report(self.simulation, state)
backup_simulation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n path = self.new_filename(suffix='_emergency.state')\n self.simulation.saveState(path)\n uses_pbc = self.system.usesPeriodicBoundaryConditions()\n state_kw = dict(getPositions=True, getVelocities=True, getForces=True,\n enforcePeriodicBox=uses_pbc, getParameters=True, getEnergy=True)\n state = self.simulation.context.getState(**state_kw)\n for reporter in self.simulation.reporters:\n if not isinstance(reporter, app.StateDataReporter):\n reporter.report(self.simulation, state)\n", "role": "user" }, { "content": "backup_simulation", "role": "assistant" } ]
def x(argv=None): p = ArgumentParser(description= 'InsiliChem Ommprotocol: easy to deploy MD protocols for OpenMM') p.add_argument('input', metavar='INPUT FILE', type=extant_file, help= 'YAML input file') p.add_argument('--version', action='version', version='%(prog)s v{}'. format(__version__)) p.add_argument('-c', '--check', action='store_true', help= 'Validate input file only') args = p.parse_args(argv if argv else sys.argv[1:]) jinja_env = jinja2.Environment(trim_blocks=True, lstrip_blocks=True) with open(args.input) as f: rendered = jinja_env.from_string(f.read()).render() cfg = yaml.load(rendered, Loader=YamlLoader) from .md import SYSTEM_OPTIONS cfg['_path'] = os.path.abspath(args.input) cfg['system_options'] = prepare_system_options(cfg, defaults=SYSTEM_OPTIONS ) cfg['outputpath'] = sanitize_path_for_file(cfg.get('outputpath', '.'), args.input) if not args.check: with ignored_exceptions(OSError): os.makedirs(cfg['outputpath']) handler = prepare_handler(cfg) return handler, cfg, args
prepare_input
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(argv=None):\n p = ArgumentParser(description=\n 'InsiliChem Ommprotocol: easy to deploy MD protocols for OpenMM')\n p.add_argument('input', metavar='INPUT FILE', type=extant_file, help=\n 'YAML input file')\n p.add_argument('--version', action='version', version='%(prog)s v{}'.\n format(__version__))\n p.add_argument('-c', '--check', action='store_true', help=\n 'Validate input file only')\n args = p.parse_args(argv if argv else sys.argv[1:])\n jinja_env = jinja2.Environment(trim_blocks=True, lstrip_blocks=True)\n with open(args.input) as f:\n rendered = jinja_env.from_string(f.read()).render()\n cfg = yaml.load(rendered, Loader=YamlLoader)\n from .md import SYSTEM_OPTIONS\n cfg['_path'] = os.path.abspath(args.input)\n cfg['system_options'] = prepare_system_options(cfg, defaults=SYSTEM_OPTIONS\n )\n cfg['outputpath'] = sanitize_path_for_file(cfg.get('outputpath', '.'),\n args.input)\n if not args.check:\n with ignored_exceptions(OSError):\n os.makedirs(cfg['outputpath'])\n handler = prepare_handler(cfg)\n return handler, cfg, args\n", "role": "user" }, { "content": "prepare_input", "role": "assistant" } ]
def x(cfg): positions, velocities, box = None, None, None _path = cfg.get('_path', './') forcefield = cfg.pop('forcefield', None) topology_args = sanitize_args_for_file(cfg.pop('topology'), _path) if 'checkpoint' in cfg: restart_args = sanitize_args_for_file(cfg.pop('checkpoint'), _path) restart = Restart.load(*restart_args) positions = restart.positions velocities = restart.velocities box = restart.box if 'positions' in cfg: positions_args = sanitize_args_for_file(cfg.pop('positions'), _path) positions = Positions.load(*positions_args) box = BoxVectors.load(*positions_args) if 'velocities' in cfg: velocities_args = sanitize_args_for_file(cfg.pop('velocities'), _path) velocities = Velocities.load(*velocities_args) if 'box' in cfg: box_args = sanitize_args_for_file(cfg.pop('box'), _path) box = BoxVectors.load(*box_args) options = {} for key in 'positions velocities box forcefield'.split(): value = locals()[key] if value is not None: options[key] = value return SystemHandler.load(*topology_args, **options)
prepare_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cfg):\n positions, velocities, box = None, None, None\n _path = cfg.get('_path', './')\n forcefield = cfg.pop('forcefield', None)\n topology_args = sanitize_args_for_file(cfg.pop('topology'), _path)\n if 'checkpoint' in cfg:\n restart_args = sanitize_args_for_file(cfg.pop('checkpoint'), _path)\n restart = Restart.load(*restart_args)\n positions = restart.positions\n velocities = restart.velocities\n box = restart.box\n if 'positions' in cfg:\n positions_args = sanitize_args_for_file(cfg.pop('positions'), _path)\n positions = Positions.load(*positions_args)\n box = BoxVectors.load(*positions_args)\n if 'velocities' in cfg:\n velocities_args = sanitize_args_for_file(cfg.pop('velocities'), _path)\n velocities = Velocities.load(*velocities_args)\n if 'box' in cfg:\n box_args = sanitize_args_for_file(cfg.pop('box'), _path)\n box = BoxVectors.load(*box_args)\n options = {}\n for key in 'positions velocities box forcefield'.split():\n value = locals()[key]\n if value is not None:\n options[key] = value\n return SystemHandler.load(*topology_args, **options)\n", "role": "user" }, { "content": "prepare_handler", "role": "assistant" } ]
def x(cfg, defaults=None): d = {} if defaults is None else defaults.copy() if 'nonbondedMethod' in cfg: d['nonbondedMethod'] = warned_getattr(openmm_app, cfg.pop( 'nonbondedMethod'), None) if 'nonbondedCutoff' in cfg: d['nonbondedCutoff'] = cfg.pop('nonbondedCutoff') * u.nanometers if 'constraints' in cfg: d['constraints'] = warned_getattr(openmm_app, cfg.pop('constraints' ), None) for key in ['rigidWater', 'ewaldErrorTolerance']: if key in cfg: d[key] = cfg.pop(key) if 'extra_system_options' in cfg: if 'implicitSolvent' in cfg['extra_system_options']: implicit_solvent = warned_getattr(openmm_app, cfg[ 'extra_system_options']['implicitSolvent'], None) cfg['extra_system_options']['implicitSolvent'] = implicit_solvent d.update(cfg.pop('extra_system_options')) return d
prepare_system_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cfg, defaults=None):\n d = {} if defaults is None else defaults.copy()\n if 'nonbondedMethod' in cfg:\n d['nonbondedMethod'] = warned_getattr(openmm_app, cfg.pop(\n 'nonbondedMethod'), None)\n if 'nonbondedCutoff' in cfg:\n d['nonbondedCutoff'] = cfg.pop('nonbondedCutoff') * u.nanometers\n if 'constraints' in cfg:\n d['constraints'] = warned_getattr(openmm_app, cfg.pop('constraints'\n ), None)\n for key in ['rigidWater', 'ewaldErrorTolerance']:\n if key in cfg:\n d[key] = cfg.pop(key)\n if 'extra_system_options' in cfg:\n if 'implicitSolvent' in cfg['extra_system_options']:\n implicit_solvent = warned_getattr(openmm_app, cfg[\n 'extra_system_options']['implicitSolvent'], None)\n cfg['extra_system_options']['implicitSolvent'] = implicit_solvent\n d.update(cfg.pop('extra_system_options'))\n return d\n", "role": "user" }, { "content": "prepare_system_options", "role": "assistant" } ]
def x(*forcefields): for forcefield in forcefields: if forcefield.endswith('.frcmod'): gaffmol2 = os.path.splitext(forcefield)[0] + '.gaff.mol2' yield create_ffxml_file([gaffmol2], [forcefield]) else: yield forcefield
process_forcefield
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*forcefields):\n for forcefield in forcefields:\n if forcefield.endswith('.frcmod'):\n gaffmol2 = os.path.splitext(forcefield)[0] + '.gaff.mol2'\n yield create_ffxml_file([gaffmol2], [forcefield])\n else:\n yield forcefield\n", "role": "user" }, { "content": "process_forcefield", "role": "assistant" } ]
def x(topology, state, output=None): state = Restart.from_xml(state) system = SystemHandler.load(topology, positions=state.positions) if output is None: output = topology + '.pdb' system.write_pdb(output)
statexml2pdb
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(topology, state, output=None):\n state = Restart.from_xml(state)\n system = SystemHandler.load(topology, positions=state.positions)\n if output is None:\n output = topology + '.pdb'\n system.write_pdb(output)\n", "role": "user" }, { "content": "statexml2pdb", "role": "assistant" } ]
def x(topology, trajectory, nframe, output=None): if output is None: basename, ext = os.path.splitext(trajectory) output = '{}.frame{}.inpcrd'.format(basename, nframe) if os.path.splitext(topology)[1] in ('.top', '.prmtop'): top = AmberPrmtopFile(topology) mdtop = mdtraj.Topology.from_openmm(top.topology) traj = mdtraj.load_frame(trajectory, int(nframe), top=mdtop) structure = parmed.openmm.load_topology(top.topology, system=top. createSystem()) structure.box_vectors = top.topology.getPeriodicBoxVectors() else: traj = mdtraj.load_frame(trajectory, int(nframe), top=topology) structure = parmed.load_file(topology) structure.positions = traj.openmm_positions(0) if traj.unitcell_vectors is not None: structure.box_vectors = traj.openmm_boxes(0) structure.save(output, overwrite=True)
export_frame_coordinates
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(topology, trajectory, nframe, output=None):\n if output is None:\n basename, ext = os.path.splitext(trajectory)\n output = '{}.frame{}.inpcrd'.format(basename, nframe)\n if os.path.splitext(topology)[1] in ('.top', '.prmtop'):\n top = AmberPrmtopFile(topology)\n mdtop = mdtraj.Topology.from_openmm(top.topology)\n traj = mdtraj.load_frame(trajectory, int(nframe), top=mdtop)\n structure = parmed.openmm.load_topology(top.topology, system=top.\n createSystem())\n structure.box_vectors = top.topology.getPeriodicBoxVectors()\n else:\n traj = mdtraj.load_frame(trajectory, int(nframe), top=topology)\n structure = parmed.load_file(topology)\n structure.positions = traj.openmm_positions(0)\n if traj.unitcell_vectors is not None:\n structure.box_vectors = traj.openmm_boxes(0)\n structure.save(output, overwrite=True)\n", "role": "user" }, { "content": "export_frame_coordinates", "role": "assistant" } ]
def x(self, node): filename = os.path.join(self._root, self.construct_scalar(node)) filename = os.path.abspath(filename) extension = os.path.splitext(filename)[1].lstrip('.') with open(filename, 'r') as f: if extension in ('yaml', 'yml'): return yaml.load(f, Loader=self) else: return ''.join(f.readlines())
construct_include
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node):\n filename = os.path.join(self._root, self.construct_scalar(node))\n filename = os.path.abspath(filename)\n extension = os.path.splitext(filename)[1].lstrip('.')\n with open(filename, 'r') as f:\n if extension in ('yaml', 'yml'):\n return yaml.load(f, Loader=self)\n else:\n return ''.join(f.readlines())\n", "role": "user" }, { "content": "construct_include", "role": "assistant" } ]
def x(cls, path, forcefield=None, loader=PDBFile, strict=True, **kwargs): pdb = loader(path) box = kwargs.pop('box', pdb.topology.getPeriodicBoxVectors()) positions = kwargs.pop('positions', pdb.positions) velocities = kwargs.pop('velocities', getattr(pdb, 'velocities', None)) if strict and not forcefield: from .md import FORCEFIELDS as forcefield logger.info('! Forcefields for PDB not specified. Using default: %s', ', '.join(forcefield)) pdb.forcefield = ForceField(*list(process_forcefield(*forcefield))) return cls(master=pdb.forcefield, topology=pdb.topology, positions= positions, velocities=velocities, box=box, path=path, **kwargs)
from_pdb
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, path, forcefield=None, loader=PDBFile, strict=True, **kwargs):\n pdb = loader(path)\n box = kwargs.pop('box', pdb.topology.getPeriodicBoxVectors())\n positions = kwargs.pop('positions', pdb.positions)\n velocities = kwargs.pop('velocities', getattr(pdb, 'velocities', None))\n if strict and not forcefield:\n from .md import FORCEFIELDS as forcefield\n logger.info('! Forcefields for PDB not specified. Using default: %s',\n ', '.join(forcefield))\n pdb.forcefield = ForceField(*list(process_forcefield(*forcefield)))\n return cls(master=pdb.forcefield, topology=pdb.topology, positions=\n positions, velocities=velocities, box=box, path=path, **kwargs)\n", "role": "user" }, { "content": "from_pdb", "role": "assistant" } ]
def x(cls, path, positions=None, strict=True, **kwargs): if strict and positions is None: raise ValueError('Amber TOP/PRMTOP files require initial positions.') prmtop = AmberPrmtopFile(path) box = kwargs.pop('box', prmtop.topology.getPeriodicBoxVectors()) return cls(master=prmtop, topology=prmtop.topology, positions=positions, box=box, path=path, **kwargs)
from_amber
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, path, positions=None, strict=True, **kwargs):\n if strict and positions is None:\n raise ValueError('Amber TOP/PRMTOP files require initial positions.')\n prmtop = AmberPrmtopFile(path)\n box = kwargs.pop('box', prmtop.topology.getPeriodicBoxVectors())\n return cls(master=prmtop, topology=prmtop.topology, positions=positions,\n box=box, path=path, **kwargs)\n", "role": "user" }, { "content": "from_amber", "role": "assistant" } ]
def x(cls, path, positions=None, forcefield=None, strict=True, **kwargs): psf = CharmmPsfFile(path) if strict and forcefield is None: raise ValueError('PSF files require key `forcefield`.') if strict and positions is None: raise ValueError('PSF files require key `positions`.') psf.parmset = CharmmParameterSet(*forcefield) psf.loadParameters(psf.parmset) return cls(master=psf, topology=psf.topology, positions=positions, path =path, **kwargs)
from_charmm
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, path, positions=None, forcefield=None, strict=True, **kwargs):\n psf = CharmmPsfFile(path)\n if strict and forcefield is None:\n raise ValueError('PSF files require key `forcefield`.')\n if strict and positions is None:\n raise ValueError('PSF files require key `positions`.')\n psf.parmset = CharmmParameterSet(*forcefield)\n psf.loadParameters(psf.parmset)\n return cls(master=psf, topology=psf.topology, positions=positions, path\n =path, **kwargs)\n", "role": "user" }, { "content": "from_charmm", "role": "assistant" } ]
def x(cls, path, **kwargs): dms = DesmondDMSFile(path) pos = kwargs.pop('positions', dms.getPositions()) return cls(master=dms, topology=dms.getTopology(), positions=pos, path= path, **kwargs)
from_desmond
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, path, **kwargs):\n dms = DesmondDMSFile(path)\n pos = kwargs.pop('positions', dms.getPositions())\n return cls(master=dms, topology=dms.getTopology(), positions=pos, path=\n path, **kwargs)\n", "role": "user" }, { "content": "from_desmond", "role": "assistant" } ]
def x(cls, path, positions=None, forcefield=None, strict=True, **kwargs): if strict and positions is None: raise ValueError('Gromacs TOP files require initial positions.') box = kwargs.pop('box', None) top = GromacsTopFile(path, includeDir=forcefield, periodicBoxVectors=box) return cls(master=top, topology=top.topology, positions=positions, box= box, path=path, **kwargs)
from_gromacs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, path, positions=None, forcefield=None, strict=True, **kwargs):\n if strict and positions is None:\n raise ValueError('Gromacs TOP files require initial positions.')\n box = kwargs.pop('box', None)\n top = GromacsTopFile(path, includeDir=forcefield, periodicBoxVectors=box)\n return cls(master=top, topology=top.topology, positions=positions, box=\n box, path=path, **kwargs)\n", "role": "user" }, { "content": "from_gromacs", "role": "assistant" } ]
def x(cls, path, *args, **kwargs): st = parmed.load_file(path, *args, structure=True, **kwargs) box = kwargs.pop('box', getattr(st, 'box', None)) velocities = kwargs.pop('velocities', getattr(st, 'velocities', None)) positions = kwargs.pop('positions', getattr(st, 'positions', None)) return cls(master=st, topology=st.topology, positions=positions, box= box, velocities=velocities, path=path, **kwargs)
from_parmed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, path, *args, **kwargs):\n st = parmed.load_file(path, *args, structure=True, **kwargs)\n box = kwargs.pop('box', getattr(st, 'box', None))\n velocities = kwargs.pop('velocities', getattr(st, 'velocities', None))\n positions = kwargs.pop('positions', getattr(st, 'positions', None))\n return cls(master=st, topology=st.topology, positions=positions, box=\n box, velocities=velocities, path=path, **kwargs)\n", "role": "user" }, { "content": "from_parmed", "role": "assistant" } ]
def x(path): _, ext = os.path.splitext(path) topology = None if sys.version_info.major == 2: if ext == '.pickle2': with open(path, 'rb') as f: topology = pickle.load(f) elif ext in ('.pickle3', '.pickle'): with open(path, 'rb') as f: topology = pickle.load(f, protocol=3) elif sys.version_info.major == 3: if ext == '.pickle2': with open(path, 'rb') as f: topology = pickle.load(f) elif ext in ('.pickle3', '.pickle'): with open(path, 'rb') as f: topology = pickle.load(f) if topology is None: raise ValueError('File {} is not compatible with this version'. format(path)) return topology
pickle_load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n _, ext = os.path.splitext(path)\n topology = None\n if sys.version_info.major == 2:\n if ext == '.pickle2':\n with open(path, 'rb') as f:\n topology = pickle.load(f)\n elif ext in ('.pickle3', '.pickle'):\n with open(path, 'rb') as f:\n topology = pickle.load(f, protocol=3)\n elif sys.version_info.major == 3:\n if ext == '.pickle2':\n with open(path, 'rb') as f:\n topology = pickle.load(f)\n elif ext in ('.pickle3', '.pickle'):\n with open(path, 'rb') as f:\n topology = pickle.load(f)\n if topology is None:\n raise ValueError('File {} is not compatible with this version'.\n format(path))\n return topology\n", "role": "user" }, { "content": "pickle_load", "role": "assistant" } ]
def x(self, **system_options): if self.master is None: raise ValueError('Handler {} is not able to create systems.'.format (self)) if isinstance(self.master, ForceField): system = self.master.createSystem(self.topology, **system_options) elif isinstance(self.master, (AmberPrmtopFile, GromacsTopFile, DesmondDMSFile)): system = self.master.createSystem(**system_options) elif isinstance(self.master, CharmmPsfFile): if not hasattr(self.master, 'parmset'): raise ValueError('PSF topology files require Charmm parameters.') system = self.master.createSystem(self.master.parmset, **system_options ) else: raise NotImplementedError('Handler {} is not able to create systems.' .format(self)) if self.has_box: system.setDefaultPeriodicBoxVectors(*self.box) return system
create_system
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **system_options):\n if self.master is None:\n raise ValueError('Handler {} is not able to create systems.'.format\n (self))\n if isinstance(self.master, ForceField):\n system = self.master.createSystem(self.topology, **system_options)\n elif isinstance(self.master, (AmberPrmtopFile, GromacsTopFile,\n DesmondDMSFile)):\n system = self.master.createSystem(**system_options)\n elif isinstance(self.master, CharmmPsfFile):\n if not hasattr(self.master, 'parmset'):\n raise ValueError('PSF topology files require Charmm parameters.')\n system = self.master.createSystem(self.master.parmset, **system_options\n )\n else:\n raise NotImplementedError('Handler {} is not able to create systems.'\n .format(self))\n if self.has_box:\n system.setDefaultPeriodicBoxVectors(*self.box)\n return system\n", "role": "user" }, { "content": "create_system", "role": "assistant" } ]
def x(self, path): if self.master is None and self.positions is None: raise ValueError( 'Topology and positions are needed to write output files.') with open(path, 'w') as f: PDBFile.writeFile(self.topology, self.positions, f)
write_pdb
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n if self.master is None and self.positions is None:\n raise ValueError(\n 'Topology and positions are needed to write output files.')\n with open(path, 'w') as f:\n PDBFile.writeFile(self.topology, self.positions, f)\n", "role": "user" }, { "content": "write_pdb", "role": "assistant" } ]
def x(cls, path): def x(path): with open(path) as f: lines = f.readlines() NamedXsc = namedtuple('NamedXsc', lines[1].split()[1:]) return NamedXsc(*map(float, lines[2].split())) xsc = parse(path) return u.Quantity([[xsc.a_x, xsc.a_y, xsc.a_z], [xsc.b_x, xsc.b_y, xsc. b_z], [xsc.c_x, xsc.c_y, xsc.c_z]], unit=u.angstroms)
from_xsc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, path):\n\n def x(path):\n with open(path) as f:\n lines = f.readlines()\n NamedXsc = namedtuple('NamedXsc', lines[1].split()[1:])\n return NamedXsc(*map(float, lines[2].split()))\n xsc = parse(path)\n return u.Quantity([[xsc.a_x, xsc.a_y, xsc.a_z], [xsc.b_x, xsc.b_y, xsc.\n b_z], [xsc.c_x, xsc.c_y, xsc.c_z]], unit=u.angstroms)\n", "role": "user" }, { "content": "from_xsc", "role": "assistant" } ]
def x(cls, path): with open(path) as f: fields = map(float, next(f).split(',')) if len(fields) == 3: return u.Quantity([[fields[0], 0, 0], [0, fields[1], 0], [0, 0, fields[2]]], unit=u.nanometers) elif len(fields) == 9: return u.Quantity([fields[0:3], fields[3:6], fields[6:9]], unit=u. nanometers) else: raise ValueError( 'This type of CSV is not supported. Please provide a comma-separated list of three or nine floats in a single-line file.' )
from_csv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, path):\n with open(path) as f:\n fields = map(float, next(f).split(','))\n if len(fields) == 3:\n return u.Quantity([[fields[0], 0, 0], [0, fields[1], 0], [0, 0,\n fields[2]]], unit=u.nanometers)\n elif len(fields) == 9:\n return u.Quantity([fields[0:3], fields[3:6], fields[6:9]], unit=u.\n nanometers)\n else:\n raise ValueError(\n 'This type of CSV is not supported. Please provide a comma-separated list of three or nine floats in a single-line file.'\n )\n", "role": "user" }, { "content": "from_csv", "role": "assistant" } ]
def x(self, simulation): steps = self.interval - simulation.currentStep % self.interval return steps, False, False, False, False
describeNextReport
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, simulation):\n steps = self.interval - simulation.currentStep % self.interval\n return steps, False, False, False, False\n", "role": "user" }, { "content": "describeNextReport", "role": "assistant" } ]
def x(self, simulation, state): if not self._initialized: self._initial_clock_time = datetime.now() self._initial_simulation_time = state.getTime() self._initial_steps = simulation.currentStep self._initialized = True steps = simulation.currentStep time = datetime.now() - self._initial_clock_time days = time.total_seconds() / 86400.0 ns = (state.getTime() - self._initial_simulation_time).value_in_unit(u. nanosecond) margin = ' ' * self.margin ns_day = ns / days delta = (self.total_steps - steps) * time.total_seconds() / steps remaining = timedelta(seconds=int(delta)) percentage = 100.0 * steps / self.total_steps if ns_day: template = ( '{}{}/{} steps ({:.1f}%) - {} left @ {:.1f} ns/day \r' ) else: template = ( '{}{}/{} steps ({:.1f}%) \r' ) report = template.format(margin, steps, self.total_steps, percentage, remaining, ns_day) self._out.write(report) if hasattr(self._out, 'flush'): self._out.flush()
report
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, simulation, state):\n if not self._initialized:\n self._initial_clock_time = datetime.now()\n self._initial_simulation_time = state.getTime()\n self._initial_steps = simulation.currentStep\n self._initialized = True\n steps = simulation.currentStep\n time = datetime.now() - self._initial_clock_time\n days = time.total_seconds() / 86400.0\n ns = (state.getTime() - self._initial_simulation_time).value_in_unit(u.\n nanosecond)\n margin = ' ' * self.margin\n ns_day = ns / days\n delta = (self.total_steps - steps) * time.total_seconds() / steps\n remaining = timedelta(seconds=int(delta))\n percentage = 100.0 * steps / self.total_steps\n if ns_day:\n template = (\n '{}{}/{} steps ({:.1f}%) - {} left @ {:.1f} ns/day \\r'\n )\n else:\n template = (\n '{}{}/{} steps ({:.1f}%) \\r'\n )\n report = template.format(margin, steps, self.total_steps, percentage,\n remaining, ns_day)\n self._out.write(report)\n if hasattr(self._out, 'flush'):\n self._out.flush()\n", "role": "user" }, { "content": "report", "role": "assistant" } ]
def x(self, simulation, state): if not self._initialized: self._initialized = True self._steps[0] += self.interval positions = state.getPositions() self._out.write(b''.join([b'\nSTARTOFCHUNK\n', pickle.dumps([self. _steps[0], positions._value]), b'\nENDOFCHUNK\n'])) if hasattr(self._out, 'flush'): self._out.flush()
report
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, simulation, state):\n if not self._initialized:\n self._initialized = True\n self._steps[0] += self.interval\n positions = state.getPositions()\n self._out.write(b''.join([b'\\nSTARTOFCHUNK\\n', pickle.dumps([self.\n _steps[0], positions._value]), b'\\nENDOFCHUNK\\n']))\n if hasattr(self._out, 'flush'):\n self._out.flush()\n", "role": "user" }, { "content": "report", "role": "assistant" } ]
def x(path, sep='.'): name, ext = os.path.splitext(path) i = 1 while os.path.exists(path): path = '{}{}{}{}'.format(name, sep, i, ext) i += 1 return path
assert_not_exists
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, sep='.'):\n name, ext = os.path.splitext(path)\n i = 1\n while os.path.exists(path):\n path = '{}{}{}{}'.format(name, sep, i, ext)\n i += 1\n return path\n", "role": "user" }, { "content": "assert_not_exists", "role": "assistant" } ]
def x(obj, types): if isinstance(obj, types): return obj raise TypeError('{} must be instance of {}'.format(obj, types))
assertinstance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, types):\n if isinstance(obj, types):\n return obj\n raise TypeError('{} must be instance of {}'.format(obj, types))\n", "role": "user" }, { "content": "assertinstance", "role": "assistant" } ]
def x(path): if not os.path.exists(path): raise argparse.ArgumentTypeError('{} does not exist'.format(path)) return path
extant_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n if not os.path.exists(path):\n raise argparse.ArgumentTypeError('{} does not exist'.format(path))\n return path\n", "role": "user" }, { "content": "extant_file", "role": "assistant" } ]
def x(path, sep='.', suffix_index=-2): chunks = path.split(sep) if chunks[suffix_index].isdigit(): return sep.join(chunks[:suffix_index] + chunks[suffix_index + 1:] ), int(chunks[suffix_index]) return path, 0
sort_key_for_numeric_suffixes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, sep='.', suffix_index=-2):\n chunks = path.split(sep)\n if chunks[suffix_index].isdigit():\n return sep.join(chunks[:suffix_index] + chunks[suffix_index + 1:]\n ), int(chunks[suffix_index])\n return path, 0\n", "role": "user" }, { "content": "sort_key_for_numeric_suffixes", "role": "assistant" } ]
def x(f, *args, **kwargs): try: result = f(*args, **kwargs) if isinstance(result, AJAXError): raise result except AJAXError as e: result = e.get_response() request = args[0] logger.warn('AJAXError: %d %s - %s', e.code, request.path, e.msg, exc_info=True, extra={'status_code': e.code, 'request': request}) except Http404 as e: result = AJAXError(404, e.__str__()).get_response() except Exception as e: import sys exc_info = sys.exc_info() type, message, trace = exc_info if settings.DEBUG: import traceback tb = [{'file': l[0], 'line': l[1], 'in': l[2], 'code': l[3]} for l in traceback.extract_tb(trace)] result = AJAXError(500, message, traceback=tb).get_response() else: result = AJAXError(500, 'Internal server error.').get_response() request = args[0] logger.error('Internal Server Error: %s' % request.path, exc_info= exc_info, extra={'status_code': 500, 'request': request}) result['Content-Type'] = 'application/json' return result
json_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f, *args, **kwargs):\n try:\n result = f(*args, **kwargs)\n if isinstance(result, AJAXError):\n raise result\n except AJAXError as e:\n result = e.get_response()\n request = args[0]\n logger.warn('AJAXError: %d %s - %s', e.code, request.path, e.msg,\n exc_info=True, extra={'status_code': e.code, 'request': request})\n except Http404 as e:\n result = AJAXError(404, e.__str__()).get_response()\n except Exception as e:\n import sys\n exc_info = sys.exc_info()\n type, message, trace = exc_info\n if settings.DEBUG:\n import traceback\n tb = [{'file': l[0], 'line': l[1], 'in': l[2], 'code': l[3]} for\n l in traceback.extract_tb(trace)]\n result = AJAXError(500, message, traceback=tb).get_response()\n else:\n result = AJAXError(500, 'Internal server error.').get_response()\n request = args[0]\n logger.error('Internal Server Error: %s' % request.path, exc_info=\n exc_info, extra={'status_code': 500, 'request': request})\n result['Content-Type'] = 'application/json'\n return result\n", "role": "user" }, { "content": "json_response", "role": "assistant" } ]
def x(dotted_path, error_prefix=''): try: module_path, class_name = dotted_path.rsplit('.', 1) except ValueError: raise ImproperlyConfigured("%s%s doesn't look like a module path" % (error_prefix, dotted_path)) try: module = import_module(module_path) except ImportError as e: raise ImproperlyConfigured('%sError importing module %s: "%s"' % ( error_prefix, module_path, e)) try: attr = getattr(module, class_name) except AttributeError: raise ImproperlyConfigured( '%sModule "%s" does not define a "%s" attribute/class' % ( error_prefix, module_path, class_name)) return attr
import_by_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dotted_path, error_prefix=''):\n try:\n module_path, class_name = dotted_path.rsplit('.', 1)\n except ValueError:\n raise ImproperlyConfigured(\"%s%s doesn't look like a module path\" %\n (error_prefix, dotted_path))\n try:\n module = import_module(module_path)\n except ImportError as e:\n raise ImproperlyConfigured('%sError importing module %s: \"%s\"' % (\n error_prefix, module_path, e))\n try:\n attr = getattr(module, class_name)\n except AttributeError:\n raise ImproperlyConfigured(\n '%sModule \"%s\" does not define a \"%s\" attribute/class' % (\n error_prefix, module_path, class_name))\n return attr\n", "role": "user" }, { "content": "import_by_path", "role": "assistant" } ]
def x(request, application, model, **kwargs): if request.method != 'POST': raise AJAXError(400, _('Invalid HTTP method used.')) try: module = import_module('%s.endpoints' % application) except ImportError as e: if settings.DEBUG: raise e else: raise AJAXError(404, _('AJAX endpoint does not exist.')) if hasattr(module, model): endpoint = getattr(module, model) else: method = kwargs.get('method', 'create').lower() try: del kwargs['method'] except: pass try: model_endpoint = ajax.endpoint.load(model, application, method, **kwargs) if not model_endpoint.authenticate(request, application, method): raise AJAXError(403, _('User is not authorized.')) endpoint = getattr(model_endpoint, method, False) if not endpoint: raise AJAXError(404, _('Invalid method.')) except NotRegistered: raise AJAXError(500, _('Invalid model.')) data = endpoint(request) if isinstance(data, HttpResponse): return data if isinstance(data, EnvelopedResponse): envelope = data.metadata payload = data.data else: envelope = {} payload = data envelope.update({'success': True, 'data': payload}) return HttpResponse(json.dumps(envelope, cls=DjangoJSONEncoder, separators=(',', ':')))
endpoint_loader
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, application, model, **kwargs):\n if request.method != 'POST':\n raise AJAXError(400, _('Invalid HTTP method used.'))\n try:\n module = import_module('%s.endpoints' % application)\n except ImportError as e:\n if settings.DEBUG:\n raise e\n else:\n raise AJAXError(404, _('AJAX endpoint does not exist.'))\n if hasattr(module, model):\n endpoint = getattr(module, model)\n else:\n method = kwargs.get('method', 'create').lower()\n try:\n del kwargs['method']\n except:\n pass\n try:\n model_endpoint = ajax.endpoint.load(model, application, method,\n **kwargs)\n if not model_endpoint.authenticate(request, application, method):\n raise AJAXError(403, _('User is not authorized.'))\n endpoint = getattr(model_endpoint, method, False)\n if not endpoint:\n raise AJAXError(404, _('Invalid method.'))\n except NotRegistered:\n raise AJAXError(500, _('Invalid model.'))\n data = endpoint(request)\n if isinstance(data, HttpResponse):\n return data\n if isinstance(data, EnvelopedResponse):\n envelope = data.metadata\n payload = data.data\n else:\n envelope = {}\n payload = data\n envelope.update({'success': True, 'data': payload})\n return HttpResponse(json.dumps(envelope, cls=DjangoJSONEncoder,\n separators=(',', ':')))\n", "role": "user" }, { "content": "endpoint_loader", "role": "assistant" } ]
def x(self, request): max_items_per_page = getattr(self, 'max_per_page', getattr(settings, 'AJAX_MAX_PER_PAGE', 100)) requested_items_per_page = request.POST.get('items_per_page', 20) items_per_page = min(max_items_per_page, requested_items_per_page) current_page = request.POST.get('current_page', 1) if not self.can_list(request.user): raise AJAXError(403, _('Access to this endpoint is forbidden')) objects = self.get_queryset(request) paginator = Paginator(objects, items_per_page) try: page = paginator.page(current_page) except PageNotAnInteger: page = paginator.page(1) except EmptyPage: page = EmptyPageResult() data = [encoder.encode(record) for record in page.object_list] return EnvelopedResponse(data=data, metadata={'total': paginator.count})
list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request):\n max_items_per_page = getattr(self, 'max_per_page', getattr(settings,\n 'AJAX_MAX_PER_PAGE', 100))\n requested_items_per_page = request.POST.get('items_per_page', 20)\n items_per_page = min(max_items_per_page, requested_items_per_page)\n current_page = request.POST.get('current_page', 1)\n if not self.can_list(request.user):\n raise AJAXError(403, _('Access to this endpoint is forbidden'))\n objects = self.get_queryset(request)\n paginator = Paginator(objects, items_per_page)\n try:\n page = paginator.page(current_page)\n except PageNotAnInteger:\n page = paginator.page(1)\n except EmptyPage:\n page = EmptyPageResult()\n data = [encoder.encode(record) for record in page.object_list]\n return EnvelopedResponse(data=data, metadata={'total': paginator.count})\n", "role": "user" }, { "content": "list", "role": "assistant" } ]
def x(self, request): data = {} for field, val in six.iteritems(request.POST): if field in self.immutable_fields: continue if field in self.fields: field_obj = self.model._meta.get_field(field) val = self._extract_value(val) if isinstance(field_obj, models.ForeignKey): if field_obj.null and not val: clean_value = None else: clean_value = field_obj.rel.to.objects.get(pk=val) else: clean_value = field_obj.to_python(val) data[smart_str(field)] = clean_value return data
extract_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request):\n data = {}\n for field, val in six.iteritems(request.POST):\n if field in self.immutable_fields:\n continue\n if field in self.fields:\n field_obj = self.model._meta.get_field(field)\n val = self._extract_value(val)\n if isinstance(field_obj, models.ForeignKey):\n if field_obj.null and not val:\n clean_value = None\n else:\n clean_value = field_obj.rel.to.objects.get(pk=val)\n else:\n clean_value = field_obj.to_python(val)\n data[smart_str(field)] = clean_value\n return data\n", "role": "user" }, { "content": "extract_data", "role": "assistant" } ]
def x(self, value): return ModelEndpoint._value_map.get(smart_str(value).lower(), value)
extract_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n return ModelEndpoint._value_map.get(smart_str(value).lower(), value)\n", "role": "user" }, { "content": "extract_value", "role": "assistant" } ]
def x(self): if not self.pk: raise AJAXError(400, _('Invalid request for record.')) try: return self.model.objects.get(pk=self.pk) except self.model.DoesNotExist: raise AJAXError(404, _('%s with id of "%s" not found.') % (self. model.__name__, self.pk))
get_record
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.pk:\n raise AJAXError(400, _('Invalid request for record.'))\n try:\n return self.model.objects.get(pk=self.pk)\n except self.model.DoesNotExist:\n raise AJAXError(404, _('%s with id of \"%s\" not found.') % (self.\n model.__name__, self.pk))\n", "role": "user" }, { "content": "get_record", "role": "assistant" } ]
def x(self, request, application, method): return self.authentication.is_authenticated(request, application, method)
authenticate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, application, method):\n return self.authentication.is_authenticated(request, application, method)\n", "role": "user" }, { "content": "authenticate", "role": "assistant" } ]
def x(self, query=None): if query is None: query = {} if self.content_type_id is not None: query['content_type'] = self.content_type_id normalize_select(query) return super(EntriesProxy, self).all(query=query)
all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query=None):\n if query is None:\n query = {}\n if self.content_type_id is not None:\n query['content_type'] = self.content_type_id\n normalize_select(query)\n return super(EntriesProxy, self).all(query=query)\n", "role": "user" }, { "content": "all", "role": "assistant" } ]
def x(self, entry_id, query=None): if query is None: query = {} if self.content_type_id is not None: query['content_type'] = self.content_type_id normalize_select(query) return super(EntriesProxy, self).find(entry_id, query=query)
find
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, entry_id, query=None):\n if query is None:\n query = {}\n if self.content_type_id is not None:\n query['content_type'] = self.content_type_id\n normalize_select(query)\n return super(EntriesProxy, self).find(entry_id, query=query)\n", "role": "user" }, { "content": "find", "role": "assistant" } ]
def x(self, resource_id=None, attributes=None, **kwargs): if self.content_type_id is not None: if attributes is None: attributes = {} attributes['content_type_id'] = self.content_type_id return super(EntriesProxy, self).create(resource_id=resource_id, attributes=attributes)
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, resource_id=None, attributes=None, **kwargs):\n if self.content_type_id is not None:\n if attributes is None:\n attributes = {}\n attributes['content_type_id'] = self.content_type_id\n return super(EntriesProxy, self).create(resource_id=resource_id,\n attributes=attributes)\n", "role": "user" }, { "content": "create", "role": "assistant" } ]
def x(self, attributes=None, **kwargs): return super(WebhooksProxy, self).create(resource_id=None, attributes= attributes)
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, attributes=None, **kwargs):\n return super(WebhooksProxy, self).create(resource_id=None, attributes=\n attributes)\n", "role": "user" }, { "content": "create", "role": "assistant" } ]
def x(snake_str): components = snake_str.split('_') return components[0] + ''.join(x.title() for x in components[1:])
camel_case
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(snake_str):\n components = snake_str.split('_')\n return components[0] + ''.join(x.title() for x in components[1:])\n", "role": "user" }, { "content": "camel_case", "role": "assistant" } ]
def x(query): if 'select' not in query: return if isinstance(query['select'], str_type()): query['select'] = [s.strip() for s in query['select'].split(',')] query['select'] = [s for s in query['select'] if not s.startswith('sys.')] if 'sys' not in query['select']: query['select'].append('sys')
normalize_select
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(query):\n if 'select' not in query:\n return\n if isinstance(query['select'], str_type()):\n query['select'] = [s.strip() for s in query['select'].split(',')]\n query['select'] = [s for s in query['select'] if not s.startswith('sys.')]\n if 'sys' not in query['select']:\n query['select'].append('sys')\n", "role": "user" }, { "content": "normalize_select", "role": "assistant" } ]
def x(self): result = super(Environment, self).to_json() result.update({'name': self.name}) return result
to_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n result = super(Environment, self).to_json()\n result.update({'name': self.name})\n return result\n", "role": "user" }, { "content": "to_json", "role": "assistant" } ]
def x(self): return EnvironmentContentTypesProxy(self._client, self.space.id, self.id)
content_types
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return EnvironmentContentTypesProxy(self._client, self.space.id, self.id)\n", "role": "user" }, { "content": "content_types", "role": "assistant" } ]
def x(self): return EnvironmentEntriesProxy(self._client, self.space.id, self.id)
entries
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return EnvironmentEntriesProxy(self._client, self.space.id, self.id)\n", "role": "user" }, { "content": "entries", "role": "assistant" } ]
def x(self): return EnvironmentAssetsProxy(self._client, self.space.id, self.id)
assets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return EnvironmentAssetsProxy(self._client, self.space.id, self.id)\n", "role": "user" }, { "content": "assets", "role": "assistant" } ]
def x(self): return EnvironmentLocalesProxy(self._client, self.space.id, self.id)
locales
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return EnvironmentLocalesProxy(self._client, self.space.id, self.id)\n", "role": "user" }, { "content": "locales", "role": "assistant" } ]
def x(self): return EnvironmentUIExtensionsProxy(self._client, self.space.id, self.id)
ui_extensions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return EnvironmentUIExtensionsProxy(self._client, self.space.id, self.id)\n", "role": "user" }, { "content": "ui_extensions", "role": "assistant" } ]
def x(self, token_id, *args, **kwargs): return self.client._put('{0}/revoked'.format(self._url(token_id)), None, *args, **kwargs)
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, token_id, *args, **kwargs):\n return self.client._put('{0}/revoked'.format(self._url(token_id)), None,\n *args, **kwargs)\n", "role": "user" }, { "content": "delete", "role": "assistant" } ]
def x(self, token_id, *args, **kwargs): return self.delete(token_id, *args, **kwargs)
revoke
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, token_id, *args, **kwargs):\n return self.delete(token_id, *args, **kwargs)\n", "role": "user" }, { "content": "revoke", "role": "assistant" } ]
def x(klass, space_id='', resource_id=None, environment_id=None, **kwargs): url = 'spaces/{0}'.format(space_id) if environment_id is not None: url = url = '{0}/environments/{1}'.format(url, environment_id) url = '{0}/{1}'.format(url, base_path_for(klass.__name__)) if resource_id: url = '{0}/{1}'.format(url, resource_id) return url
base_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(klass, space_id='', resource_id=None, environment_id=None, **kwargs):\n url = 'spaces/{0}'.format(space_id)\n if environment_id is not None:\n url = url = '{0}/environments/{1}'.format(url, environment_id)\n url = '{0}/{1}'.format(url, base_path_for(klass.__name__))\n if resource_id:\n url = '{0}/{1}'.format(url, resource_id)\n return url\n", "role": "user" }, { "content": "base_url", "role": "assistant" } ]
def x(klass, attributes, previous_object=None): result = {} if previous_object is not None: result = {k: v for k, v in previous_object.to_json().items() if k != 'sys'} result.update(attributes) return result
create_attributes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(klass, attributes, previous_object=None):\n result = {}\n if previous_object is not None:\n result = {k: v for k, v in previous_object.to_json().items() if k !=\n 'sys'}\n result.update(attributes)\n return result\n", "role": "user" }, { "content": "create_attributes", "role": "assistant" } ]
def x(self): return self._client._delete(self.__class__.base_url(self.sys['space']. id, self.sys['id'], environment_id=self._environment_id))
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return self._client._delete(self.__class__.base_url(self.sys['space'].\n id, self.sys['id'], environment_id=self._environment_id))\n", "role": "user" }, { "content": "delete", "role": "assistant" } ]