source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self):
for statemanager, conditions in self.statetransition.transitions.items():
current_state = getattr(self.obj, statemanager.propname)
if conditions['from'] is None:
state_valid = True
else:
mstate = conditions['from'].get(current_state)
state_valid = mstate and mstate(self.obj)
if state_valid and conditions['if']:
state_valid = all(v(self.obj) for v in conditions['if'])
if not state_valid:
return statemanager, current_state, statemanager.lenum.get(
current_state)
| state_invalid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for statemanager, conditions in self.statetransition.transitions.items():\n current_state = getattr(self.obj, statemanager.propname)\n ... |
def x(self, obj, value):
if value not in self.lenum:
raise ValueError('Not a valid value: %s' % value)
type(obj).__dict__[self.propname].__set__(obj, value)
| set | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj, value):\n if value not in self.lenum:\n raise ValueError('Not a valid value: %s' % value)\n type(obj).__dict__[self.propname].__set__(o... |
def x(self, name, *states):
if hasattr(self, name):
raise AttributeError(
'State group name %s conflicts with existing attribute in the state manager'
% name)
mstate = ManagedStateGroup(name, self, states)
self.states[name] = mstate
setattr(self, name, mstate)
setattr(self, 'is_' + name.lower(), mstate)
| add_state_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, *states):\n if hasattr(self, name):\n raise AttributeError(\n 'State group name %s conflicts with existing attribute in the st... |
def x(self, name, state, validator, class_validator=None, cache_for=None,
label=None):
if not isinstance(state, ManagedState):
raise TypeError('Not a managed state: %s' % repr(state))
elif state.statemanager != self:
raise ValueError(
'State %s is not associated with this state manager' % repr(state))
if isinstance(label, tuple) and len(label) == 2:
label = NameTitle(*label)
self._add_state_internal(name, state.value, label=label, validator=
validator, class_validator=class_validator, cache_for=cache_for)
| add_conditional_state | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, state, validator, class_validator=None, cache_for=None,\n label=None):\n if not isinstance(state, ManagedState):\n raise TypeError('No... |
def x(self, from_, to, if_=None, **data):
def x(f):
if isinstance(f, StateTransition):
f.add_transition(self, from_, to, if_, data)
st = f
else:
st = StateTransition(f, self, from_, to, if_, data)
self.transitions.append(st.name)
return st
return decorator
| transition | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, from_, to, if_=None, **data):\n\n def x(f):\n if isinstance(f, StateTransition):\n f.add_transition(self, from_, to, if_, data)\n ... |
def x(self, from_, if_=None, **data):
return self.transition(from_, None, if_, **data)
| requires | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, from_, if_=None, **data):\n return self.transition(from_, None, if_, **data)\n",
"role": "user"
},
{
"content": "requires",
"role": "a... |
def x(self, obj, cls=None):
if obj is not None:
return getattr(obj, self.propname)
else:
return getattr(cls, self.propname)
| value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj, cls=None):\n if obj is not None:\n return getattr(obj, self.propname)\n else:\n return getattr(cls, self.propname)\n",
"role... |
def x(column, lenum, **kwargs):
return CheckConstraint(str(column_constructor(column).in_(lenum.keys())
.compile(compile_kwargs={'literal_binds': True})), **kwargs)
| check_constraint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(column, lenum, **kwargs):\n return CheckConstraint(str(column_constructor(column).in_(lenum.keys())\n .compile(compile_kwargs={'literal_binds': True}... |
def x(self):
if self.obj is not None:
for mstate in self.statemanager.all_states_by_value[self.value]:
msw = mstate(self.obj, self.cls)
if msw:
return msw
| bestmatch | [
{
"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.obj is not None:\n for mstate in self.statemanager.all_states_by_value[self.value]:\n msw = mstate(self.obj, self.cls)\n ... |
def x(self):
if self.obj is not None:
return {name: mstate(self.obj, self.cls) for name, mstate in self.
statemanager.states.items() if mstate(self.obj, self.cls)}
| current | [
{
"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.obj is not None:\n return {name: mstate(self.obj, self.cls) for name, mstate in self.\n statemanager.states.items() if ms... |
def x(self, current=True):
if current and isinstance(self.obj, RoleMixin):
proxy = self.obj.current_access()
else:
proxy = {}
current = False
return OrderedDict((name, transition) for name, transition in ((name,
getattr(self.obj, name)) for name in self.statemanager.transitions) if
transition.is_available and (name in proxy if current else True))
| transitions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, current=True):\n if current and isinstance(self.obj, RoleMixin):\n proxy = self.obj.current_access()\n else:\n proxy = {}\n cu... |
def x(self, roles=None, actor=None, anchors=[]):
proxy = self.obj.access_for(roles, actor, anchors)
return {name: transition for name, transition in self.transitions(
current=False).items() if name in proxy}
| transitions_for | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, roles=None, actor=None, anchors=[]):\n proxy = self.obj.access_for(roles, actor, anchors)\n return {name: transition for name, transition in self.t... |
def x(self, items, keep_empty=False):
cls = self.cls if self.cls is not None else type(self.obj)
groups = OrderedDict()
for mstate in self.statemanager.states_by_value.values():
groups[mstate] = []
for item in items:
if not isinstance(item, cls):
raise TypeError('Item %s is not an instance of type %s' % (repr
(item), repr(self.cls)))
statevalue = self.statemanager._value(item)
mstate = self.statemanager.states_by_value[statevalue]
groups[mstate].append(item)
if not keep_empty:
for key, value in list(groups.items()):
if not value:
del groups[key]
return groups
| group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, items, keep_empty=False):\n cls = self.cls if self.cls is not None else type(self.obj)\n groups = OrderedDict()\n for mstate in self.statemanage... |
def x(text):
def x(matchobj):
syntax = matchobj.group(1)
code = matchobj.group(2)
if syntax:
result = ' :::' + syntax + '\n'
else:
result = ''
return result + '\n'.join([(' ' + line) for line in code.split(
'\n')[:-1]])
use_crlf = text.find('\r') != -1
if use_crlf:
text = text.replace('\r\n', '\n')
text = CODEPATTERN_RE.sub(indent_code, text)
text, code_blocks = remove_pre_blocks(text)
text, inline_blocks = remove_inline_code_blocks(text)
def x(matchobj):
s = matchobj.group(0)
if 'http:' in s or 'https:' in s:
return s
return s.replace('_', '\\_')
text = ITALICSPATTERN_RE.sub(italic_callback, text)
text = NAKEDURL_RE.sub('\\1[\\2](\\2)\\3', text)
def x(matchobj):
if len(matchobj.group(1)) == 1:
return matchobj.group(0).rstrip() + ' \n'
else:
return matchobj.group(0)
text = NEWLINE_RE.sub(newline_callback, text)
removed_blocks = code_blocks + inline_blocks
for removed_block in removed_blocks:
text = text.replace('{placeholder}', removed_block, 1)
if use_crlf:
text = text.replace('\n', '\r\n')
return text
| gfm | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n\n def x(matchobj):\n syntax = matchobj.group(1)\n code = matchobj.group(2)\n if syntax:\n result = ' :::' + synt... |
def x(text, html=False, valid_tags=GFM_TAGS):
if text is None:
return None
if html:
return Markup(sanitize_html(markdown_convert_html(gfm(text)),
valid_tags=valid_tags))
else:
return Markup(markdown_convert_text(gfm(text)))
| markdown | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, html=False, valid_tags=GFM_TAGS):\n if text is None:\n return None\n if html:\n return Markup(sanitize_html(markdown_convert_html(gfm... |
def x(class_rule, method_rule):
if method_rule.startswith('/'):
return method_rule
else:
return class_rule + ('' if class_rule.endswith('/') or not
method_rule else '/') + method_rule
| rulejoin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(class_rule, method_rule):\n if method_rule.startswith('/'):\n return method_rule\n else:\n return class_rule + ('' if class_rule.endswith('... |
def x(roles):
def x(f):
def x(context):
return bool(roles.intersection(context.obj.current_roles))
def x(context):
result = is_available_here(context)
if result and hasattr(f, 'is_available'):
return f.is_available(context)
return result
@wraps(f)
def x(self, *args, **kwargs):
add_auth_attribute('login_required', True)
if not is_available_here(self):
abort(403)
return f(self, *args, **kwargs)
wrapper.requires_roles = roles
wrapper.is_available = is_available
return wrapper
return inner
| requires_roles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(roles):\n\n def x(f):\n\n def x(context):\n return bool(roles.intersection(context.obj.current_roles))\n\n def x(context):\n ... |
def x(f):
@wraps(f)
def x(self, *args, **kwargs):
if request.method == 'GET' and self.obj is not None:
correct_url = self.obj.url_for(f.__name__, _external=True)
if correct_url != request.base_url:
if request.query_string:
correct_url = (correct_url + '?' + request.query_string
.decode())
return redirect(correct_url)
return f(self, *args, **kwargs)
return wrapper
| url_change_check | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f):\n\n @wraps(f)\n def x(self, *args, **kwargs):\n if request.method == 'GET' and self.obj is not None:\n correct_url = self.obj.url_f... |
def x(self, app, cls, callback=None):
def x(**view_args):
viewinst = view_func.view_class()
viewinst.current_handler = ViewHandlerWrapper(view_func.view,
viewinst, view_func.view_class)
viewinst.view_args = view_args
_request_ctx_stack.top.current_view = viewinst
return viewinst.dispatch_request(view_func.wrapped_func, view_args)
wrapped_func = self.func
for base in reversed(cls.__mro__):
if '__decorators__' in base.__dict__:
for decorator in reversed(base.__dict__['__decorators__']):
wrapped_func = decorator(wrapped_func)
wrapped_func.__name__ = self.name
view_func = update_wrapper(view_func, wrapped_func)
view_func.__name__ = self.name
view_func.wrapped_func = wrapped_func
view_func.view_class = cls
view_func.view = self
self.wrapped_func = wrapped_func
self.view_func = view_func
for class_rule, class_options in cls.__routes__:
for method_rule, method_options in self.routes:
use_options = dict(method_options)
use_options.update(class_options)
endpoint = use_options.pop('endpoint', self.endpoint)
self.endpoints.add(endpoint)
use_rule = rulejoin(class_rule, method_rule)
app.add_url_rule(use_rule, endpoint, view_func, **use_options)
if callback:
callback(use_rule, endpoint, view_func, **use_options)
| init_app | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app, cls, callback=None):\n\n def x(**view_args):\n viewinst = view_func.view_class()\n viewinst.current_handler = ViewHandlerWrapper(vi... |
def x(self):
if hasattr(self._viewh.wrapped_func, 'is_available'):
return self._viewh.wrapped_func.is_available(self._obj)
return True
| is_available | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if hasattr(self._viewh.wrapped_func, 'is_available'):\n return self._viewh.wrapped_func.is_available(self._obj)\n return True\n",
"ro... |
def x(self, view, view_args):
resp = self.before_request()
if resp:
return self.after_request(make_response(resp))
return self.after_request(make_response(view(self, **view_args)))
| dispatch_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, view, view_args):\n resp = self.before_request()\n if resp:\n return self.after_request(make_response(resp))\n return self.after_request(... |
def x(self):
if self.is_always_available:
return True
for viewname in self.__views__:
if getattr(self, viewname).is_available():
return True
return False
| is_available | [
{
"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.is_always_available:\n return True\n for viewname in self.__views__:\n if getattr(self, viewname).is_available():\n ... |
def x(cls, _name, rule, **options):
setattr(cls, _name, route(rule, **options)(cls.__get_raw_attr(_name)))
| add_route_for | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, _name, rule, **options):\n setattr(cls, _name, route(rule, **options)(cls.__get_raw_attr(_name)))\n",
"role": "user"
},
{
"content": "add_r... |
def x(cls, app, callback=None):
processed = set()
cls.__views__ = set()
cls.is_always_available = False
for base in cls.__mro__:
for name, attr in base.__dict__.items():
if name in processed:
continue
processed.add(name)
if isinstance(attr, ViewHandler):
if base != cls:
attr = attr.copy_for_subclass()
setattr(cls, name, attr)
attr.__set_name__(cls, name)
cls.__views__.add(name)
attr.init_app(app, cls, callback=callback)
if not hasattr(attr.wrapped_func, 'is_available'):
cls.is_always_available = True
| init_app | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, app, callback=None):\n processed = set()\n cls.__views__ = set()\n cls.is_always_available = False\n for base in cls.__mro__:\n for nam... |
def x(self, view, view_args):
resp = self.before_request()
if resp:
return self.after_request(make_response(resp))
self.obj = self.loader(**view_args)
resp = self.after_loader()
if resp:
return self.after_request(make_response(resp))
return self.after_request(make_response(view(self)))
| dispatch_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, view, view_args):\n resp = self.before_request()\n if resp:\n return self.after_request(make_response(resp))\n self.obj = self.loader(**v... |
def x(obj=None, rw=None, call=None, read=None, write=None):
rw = set(rw) if rw else set()
call = set(call) if call else set()
read = set(read) if read else set()
write = set(write) if write else set()
read.update(rw)
write.update(rw)
def x(attr):
__cache__[attr] = {'call': call, 'read': read, 'write': write}
try:
attr._coaster_roles = {'call': call, 'read': read, 'write': write}
except AttributeError:
pass
return attr
if is_collection(obj):
raise TypeError('Roles must be specified as named parameters')
elif obj is not None:
return inner(obj)
else:
return inner
| with_roles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj=None, rw=None, call=None, read=None, write=None):\n rw = set(rw) if rw else set()\n call = set(call) if call else set()\n read = set(read) if read... |
def x(rw=None, call=None, read=None, write=None):
def x(f):
@wraps(f)
def x(cls):
return with_roles(rw=rw, call=call, read=read, write=write)(f(cls))
return attr
warnings.warn('declared_attr_roles is deprecated; use with_roles',
stacklevel=2)
return inner
| declared_attr_roles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rw=None, call=None, read=None, write=None):\n\n def x(f):\n\n @wraps(f)\n def x(cls):\n return with_roles(rw=rw, call=call, read=re... |
def x(mapper, cls):
if '__roles__' not in cls.__dict__:
cls.__roles__ = deepcopy(cls.__roles__)
processed = set()
for base in cls.__mro__:
for name, attr in base.__dict__.items():
if name in processed or name.startswith('__'):
continue
if isinstance(attr, collections.Hashable) and attr in __cache__:
data = __cache__[attr]
del __cache__[attr]
elif isinstance(attr, InstrumentedAttribute
) and attr.property in __cache__:
data = __cache__[attr.property]
del __cache__[attr.property]
elif hasattr(attr, '_coaster_roles'):
data = attr._coaster_roles
else:
data = None
if data is not None:
for role in data.get('call', []):
cls.__roles__.setdefault(role, {}).setdefault('call', set()
).add(name)
for role in data.get('read', []):
cls.__roles__.setdefault(role, {}).setdefault('read', set()
).add(name)
for role in data.get('write', []):
cls.__roles__.setdefault(role, {}).setdefault('write',
set()).add(name)
processed.add(name)
| configure_roles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mapper, cls):\n if '__roles__' not in cls.__dict__:\n cls.__roles__ = deepcopy(cls.__roles__)\n processed = set()\n for base in cls.__mro__:\n ... |
def x(self):
return InspectableSet(self.roles_for(actor=current_auth.actor, anchors=
current_auth.anchors))
| current_roles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return InspectableSet(self.roles_for(actor=current_auth.actor, anchors=\n current_auth.anchors))\n",
"role": "user"
},
{
"conten... |
def x(self, roles=None, actor=None, anchors=[]):
if roles is None:
roles = self.roles_for(actor=actor, anchors=anchors)
elif actor is not None or anchors:
raise TypeError(
'If roles are specified, actor/anchors must not be specified')
return RoleAccessProxy(self, roles=roles)
| access_for | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, roles=None, actor=None, anchors=[]):\n if roles is None:\n roles = self.roles_for(actor=actor, anchors=anchors)\n elif actor is not None or ... |
def x(self):
return self.access_for(actor=current_auth.actor, anchors=current_auth.
anchors)
| current_access | [
{
"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.access_for(actor=current_auth.actor, anchors=current_auth.\n anchors)\n",
"role": "user"
},
{
"content": "current_ac... |
def x():
if current_app.config.get('SERVER_NAME') and request.environ['HTTP_HOST'
].split(':', 1)[0] != current_app.config['SERVER_NAME'].split(':', 1)[0
]:
return request.url
url = url_for(request.endpoint, **request.view_args)
query = request.query_string
if query:
return url + '?' + query.decode()
else:
return url
| get_current_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if current_app.config.get('SERVER_NAME') and request.environ['HTTP_HOST'\n ].split(':', 1)[0] != current_app.config['SERVER_NAME'].split(':', 1)... |
def x(referrer=False, external=False, session=False, default=__marker):
if session:
next_url = request_session.pop('next', None) or request.args.get('next'
, '')
else:
next_url = request.args.get('next', '')
if next_url and not external:
next_url = __clean_external_url(next_url)
if next_url:
return next_url
if default is __marker:
usedefault = False
else:
usedefault = True
if referrer and request.referrer:
if external:
return request.referrer
else:
return __clean_external_url(request.referrer) or (default if
usedefault else __index_url())
else:
return default if usedefault else __index_url()
| get_next_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(referrer=False, external=False, session=False, default=__marker):\n if session:\n next_url = request_session.pop('next', None) or request.args.get('n... |
def x(*args, **kw):
data = json.dumps(dict(*args, **kw), indent=2)
callback = request.args.get('callback', request.args.get('jsonp'))
if callback and __jsoncallback_re.search(callback) is not None:
data = callback + u'(' + data + u');'
mimetype = 'application/javascript'
else:
mimetype = 'application/json'
return Response(data, mimetype=mimetype)
| jsonp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kw):\n data = json.dumps(dict(*args, **kw), indent=2)\n callback = request.args.get('callback', request.args.get('jsonp'))\n if callback and ... |
def x(url, method=None, return_rule=False, follow_redirects=True):
parsed_url = urlsplit(url)
if not parsed_url.netloc:
return None, {}
environ = dict(request.environ)
environ['HTTP_HOST'] = parsed_url.netloc
environ['PATH_INFO'] = parsed_url.path[len(environ.get('SCRIPT_NAME', '')):
]
url_request = current_app.request_class(environ)
url_adapter = current_app.create_url_adapter(url_request)
if current_app.url_map.host_matching:
pass
elif parsed_url.netloc == url_adapter.server_name:
pass
elif current_app.subdomain_matching and parsed_url.netloc.endswith('.' +
url_adapter.server_name):
pass
else:
return None, {}
try:
return url_adapter.match(parsed_url.path, method, return_rule=
return_rule)
except RequestRedirect as r:
if follow_redirects:
return endpoint_for(r.new_url, method=method, return_rule=
return_rule, follow_redirects=follow_redirects)
except (NotFound, MethodNotAllowed):
pass
return None, {}
| endpoint_for | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, method=None, return_rule=False, follow_redirects=True):\n parsed_url = urlsplit(url)\n if not parsed_url.netloc:\n return None, {}\n envir... |
def x(self):
perms = set(super(DocumentWorkflow, self).permissions())
if g:
if hasattr(g, 'permissions'):
perms.update(g.permissions or [])
if hasattr(self.document, 'permissions'):
perms = self.document.permissions(current_auth.actor, perms)
return perms
| permissions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n perms = set(super(DocumentWorkflow, self).permissions())\n if g:\n if hasattr(g, 'permissions'):\n perms.update(g.permissions ... |
def x(mapper, cls):
annotations = {}
annotations_by_attr = {}
processed = set()
for base in cls.__mro__:
for name, attr in base.__dict__.items():
if name in processed or name.startswith('__'):
continue
if isinstance(attr, collections.Hashable) and attr in __cache__:
data = __cache__[attr]
del __cache__[attr]
elif isinstance(attr, InstrumentedAttribute
) and attr.property in __cache__:
data = __cache__[attr.property]
del __cache__[attr.property]
elif hasattr(attr, '_coaster_annotations'):
data = attr._coaster_annotations
else:
data = None
if data is not None:
annotations_by_attr.setdefault(name, []).extend(data)
for a in data:
annotations.setdefault(a, []).append(name)
processed.add(name)
if annotations:
cls.__annotations__ = annotations
if annotations_by_attr:
cls.__annotations_by_attr__ = annotations_by_attr
annotations_configured.send(cls)
| configure_annotations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mapper, cls):\n annotations = {}\n annotations_by_attr = {}\n processed = set()\n for base in cls.__mro__:\n for name, attr in base.__dict__... |
def x(annotation, doc=None):
def x(attr):
__cache__.setdefault(attr, []).append(annotation)
try:
if not hasattr(attr, '_coaster_annotations'):
setattr(attr, '_coaster_annotations', [])
attr._coaster_annotations.append(annotation)
except AttributeError:
pass
return attr
decorator.__name__ = decorator.name = annotation
decorator.__doc__ = doc
return decorator
| annotation_wrapper | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(annotation, doc=None):\n\n def x(attr):\n __cache__.setdefault(attr, []).append(annotation)\n try:\n if not hasattr(attr, '_coaster... |
def x(attr, value, actor=False):
if attr in ('actor', 'anchors', 'is_anonymous', 'not_anonymous',
'is_authenticated', 'not_authenticated'):
raise AttributeError(
'Attribute name %s is reserved by current_auth' % attr)
ca = current_auth._get_current_object()
object.__setattr__(ca, attr, value)
if attr == 'user':
_request_ctx_stack.top.user = value
actor = True
if actor:
object.__setattr__(ca, 'actor', value)
| add_auth_attribute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(attr, value, actor=False):\n if attr in ('actor', 'anchors', 'is_anonymous', 'not_anonymous',\n 'is_authenticated', 'not_authenticated'):\n ra... |
def x(cls, attributes, namespace):
config_path = attributes.get('config_path')
tokens = {}
def x(value_def, config_key):
key = value_def.config_key or config_key
return '%s.%s' % (config_path, key) if config_path else key
def x(name, value_def):
config_key = build_config_key(value_def, name)
value_token = ValueToken.from_definition(value_def, namespace,
config_key)
getters.register_value_proxy(namespace, value_token, value_def.help)
tokens[name] = value_token
return name, build_property(value_token)
def x(name, attribute):
if not isinstance(attribute, ValueTypeDefinition):
return name, attribute
return build_token(name, attribute)
attributes = dict(build_attr(*item) for item in six.iteritems(attributes))
attributes['_tokens'] = tokens
return attributes
| build_attributes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, attributes, namespace):\n config_path = attributes.get('config_path')\n tokens = {}\n\n def x(value_def, config_key):\n key = value_def.co... |
def x(cache_name):
def x(func):
@functools.wraps(func)
def x(self, *args, **kwargs):
value = getattr(self, cache_name, UndefToken)
if value != UndefToken:
return value
ret = func(self, *args, **kwargs)
setattr(self, cache_name, ret)
return ret
return inner_wrapper
return cache_wrapper
| cache_as_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cache_name):\n\n def x(func):\n\n @functools.wraps(func)\n def x(self, *args, **kwargs):\n value = getattr(self, cache_name, UndefT... |
def x(proxy):
value = proxy.namespace.get(proxy.config_key, proxy.default)
if value is UndefToken:
raise errors.ConfigurationError('%s is missing value for: %s' % (
proxy.namespace, proxy.config_key))
try:
return proxy.validator(value)
except errors.ValidationError as e:
raise errors.ConfigurationError('%s failed to validate %s: %s' % (
proxy.namespace, proxy.config_key, e))
| extract_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(proxy):\n value = proxy.namespace.get(proxy.config_key, proxy.default)\n if value is UndefToken:\n raise errors.ConfigurationError('%s is missing ... |
def x(validator, reader_namespace=config.DEFAULT):
def x(config_key, default=UndefToken, namespace=None):
config_namespace = config.get_namespace(namespace or reader_namespace)
return validator(_read_config(config_key, config_namespace, default))
return reader
| build_reader | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(validator, reader_namespace=config.DEFAULT):\n\n def x(config_key, default=UndefToken, namespace=None):\n config_namespace = config.get_namespace(nam... |
def x(name, all_names):
names = configuration_namespaces.keys() if all_names else [name]
for name in names:
yield get_namespace(name)
| get_namespaces_from_names | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, all_names):\n names = configuration_namespaces.keys() if all_names else [name]\n for name in names:\n yield get_namespace(name)\n",
"rol... |
def x(name):
if name not in configuration_namespaces:
configuration_namespaces[name] = ConfigNamespace(name)
return configuration_namespaces[name]
| get_namespace | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n if name not in configuration_namespaces:\n configuration_namespaces[name] = ConfigNamespace(name)\n return configuration_namespaces[name]... |
def x(name=DEFAULT, all_names=False):
for namespace in get_namespaces_from_names(name, all_names):
for value_proxy in namespace.get_value_proxies():
value_proxy.reset()
| reload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name=DEFAULT, all_names=False):\n for namespace in get_namespaces_from_names(name, all_names):\n for value_proxy in namespace.get_value_proxies():\n ... |
def x(name=DEFAULT, all_names=False):
for namespace in get_namespaces_from_names(name, all_names):
all(value_proxy.get_value() for value_proxy in namespace.
get_value_proxies())
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name=DEFAULT, all_names=False):\n for namespace in get_namespaces_from_names(name, all_names):\n all(value_proxy.get_value() for value_proxy in names... |
def x(config_data, base_conf, raise_error):
duplicate_keys = set(base_conf) & set(config_data)
if not duplicate_keys:
return
msg = 'Duplicate keys in config: %s' % duplicate_keys
if raise_error:
raise errors.ConfigurationError(msg)
log.info(msg)
return True
| has_duplicate_keys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config_data, base_conf, raise_error):\n duplicate_keys = set(base_conf) & set(config_data)\n if not duplicate_keys:\n return\n msg = 'Duplicate... |
def x(err_logger=None):
def x(filename):
try:
return os.path.getmtime(filename)
except OSError:
if err_logger is not None:
err_logger(filename)
return -1
return compare_func
| build_compare_func | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(err_logger=None):\n\n def x(filename):\n try:\n return os.path.getmtime(filename)\n except OSError:\n if err_logger is n... |
def x(self):
config_dict = {}
for dotted_key, value in self.get_config_values().items():
subkeys = dotted_key.split('.')
d = config_dict
for key in subkeys:
d = d.setdefault(key, value if key == subkeys[-1] else {})
return config_dict
| get_config_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n config_dict = {}\n for dotted_key, value in self.get_config_values().items():\n subkeys = dotted_key.split('.')\n d = config_dict\... |
def x(self):
def x(desc):
return '%s (Type: %s, Default: %s)\n%s' % (desc.name, desc.
validator.__name__.replace('validate_', ''), desc.default, desc
.help or '')
def x(key, desc_list):
return '\nNamespace: %s\n%s' % (key, '\n'.join(sorted(format_desc(
desc) for desc in desc_list)))
def x(item):
name, _ = item
return chr(0) if name == DEFAULT else name
return '\n'.join(format_namespace(*desc) for desc in sorted(six.
iteritems(self.descriptions), key=namespace_cmp))
| view_help | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n def x(desc):\n return '%s (Type: %s, Default: %s)\\n%s' % (desc.name, desc.\n validator.__name__.replace('validate_', ''), desc... |
def x(self, force=False):
if (force or self.should_check) and self.file_modified():
return self.reload()
| reload_if_changed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, force=False):\n if (force or self.should_check) and self.file_modified():\n return self.reload()\n",
"role": "user"
},
{
"content":... |
def x(cls, filename, namespace, loader_func, min_interval=0, comparators=None):
watcher = ConfigurationWatcher(build_loader_callable(loader_func,
filename, namespace=namespace), filename, min_interval=min_interval,
reloader=ReloadCallbackChain(namespace=namespace), comparators=
comparators)
watcher.load_config()
return cls(watcher)
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, filename, namespace, loader_func, min_interval=0, comparators=None):\n watcher = ConfigurationWatcher(build_loader_callable(loader_func,\n filen... |
def x(iterable_type, value):
if isinstance(value, six.string_types):
msg = 'Invalid iterable of type(%s): %s'
raise ValidationError(msg % (type(value), value))
try:
return iterable_type(value)
except TypeError:
raise ValidationError('Invalid iterable: %s' % value)
| validate_iterable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(iterable_type, value):\n if isinstance(value, six.string_types):\n msg = 'Invalid iterable of type(%s): %s'\n raise ValidationError(msg % (typ... |
def x(item_validator):
def x(value):
return [item_validator(item) for item in validate_list(value)]
return validate_list_of_type
| build_list_type_validator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(item_validator):\n\n def x(value):\n return [item_validator(item) for item in validate_list(value)]\n return validate_list_of_type\n",
"role":... |
def x(item_validator):
def x(value):
return dict(item_validator(item) for item in validate_list(value))
return validate_mapping
| build_map_type_validator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(item_validator):\n\n def x(value):\n return dict(item_validator(item) for item in validate_list(value))\n return validate_mapping\n",
"role": ... |
def x(namespace, value_proxy, help_text):
namespace.register_proxy(value_proxy)
config.config_help.add(value_proxy.config_key, value_proxy.validator,
value_proxy.default, namespace.get_name(), help_text)
| register_value_proxy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(namespace, value_proxy, help_text):\n namespace.register_proxy(value_proxy)\n config.config_help.add(value_proxy.config_key, value_proxy.validator,\n ... |
def x(validator, getter_namespace=None):
def x(key_name, default=UndefToken, help=None, namespace=None):
name = namespace or getter_namespace or config.DEFAULT
namespace = config.get_namespace(name)
return proxy_factory.build(validator, namespace, key_name, default,
help)
return proxy_register
| build_getter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(validator, getter_namespace=None):\n\n def x(key_name, default=UndefToken, help=None, namespace=None):\n name = namespace or getter_namespace or conf... |
def x(self, validator, namespace, config_key, default, help):
proxy_attrs = validator, namespace, config_key, default
proxy_key = repr(proxy_attrs)
if proxy_key in self.proxies:
return self.proxies[proxy_key]
value_proxy = proxy.ValueProxy(*proxy_attrs)
register_value_proxy(namespace, value_proxy, help)
return self.proxies.setdefault(proxy_key, value_proxy)
| build | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, validator, namespace, config_key, default, help):\n proxy_attrs = validator, namespace, config_key, default\n proxy_key = repr(proxy_attrs)\n if... |
def x(func, x0, args=(), bounds=None, scaling=None, redfactor=2.0,
deltainit=1.0, deltatol=0.001, feps=1e-15, errorcontrol=True, funcNinit
=30, funcmultfactor=2.0, paired=True, alpha=0.05, disp=False, callback=
None, **kwargs):
if disp:
print('minimization starting')
print('args', args)
print('errorcontrol', errorcontrol)
print('paired', paired)
floatcompatol = 1e-14
x0 = np.asarray(x0)
if scaling is None:
scaling = np.ones(x0.shape)
else:
scaling = np.asarray(scaling)
if bounds is not None:
bounds = np.asarray(bounds)
np.clip(x0, bounds[:, 0], bounds[:, 1], out=x0)
def x(x, d):
xnew = x + d
if bounds is not None:
xclipped = np.clip(xnew, bounds[:, 0], bounds[:, 1])
deltaeff = np.abs(x - xclipped).sum()
return xclipped, deltaeff
else:
return xnew, delta
def x(i, N):
arr = np.zeros(N)
arr[i] = 1.0
return arr
N = len(x0)
generatingset = [(unit(i, N) * direction * scaling[i]) for i in np.
arange(N) for direction in [+1, -1]]
if errorcontrol:
funcm = AveragedFunction(func, fargs=args, paired=paired, N=funcNinit)
alpha = alpha / len(generatingset)
else:
def x(x, **kwargs):
return func(x, *args, **kwargs)
funcm = _memoized(funcf)
x = x0
delta = deltainit
nit = 0
found = False
while delta >= deltatol - floatcompatol or found:
nit += 1
if delta / redfactor < deltatol:
delta = deltatol
if disp:
print('nit %i, Delta %g' % (nit, delta))
found = False
np.random.shuffle(generatingset)
for d in generatingset:
xtest, deltaeff = clip(x, delta * d)
if deltaeff < floatcompatol:
continue
if not errorcontrol and funcm(xtest) < funcm(x
) - feps or errorcontrol and funcm.test(xtest, x, type_=
'smaller', alpha=alpha):
x = xtest
found = True
if disp:
print(x)
elif deltaeff >= deltatol * np.sum(np.abs(d)) and (not
errorcontrol and funcm(xtest) < funcm(x) + feps or
errorcontrol and funcm.test(xtest, x, type_='equality',
alpha=alpha) and funcm.diffse(xtest, x) > feps):
xmid = 0.5 * (x + xtest)
if not errorcontrol and funcm(xmid) < funcm(x
) - feps or errorcontrol and funcm.test(xmid, x, type_=
'smaller', alpha=alpha):
x = xmid
delta /= redfactor
found = True
if disp:
print('mid', x)
elif errorcontrol:
funcm.N *= funcmultfactor
if disp:
print('new N %i' % funcm.N)
found = True
if callback is not None:
callback(x)
if not found:
delta /= redfactor
message = 'convergence within deltatol'
delta = deltatol
free = np.zeros(x.shape, dtype=bool)
for d in generatingset:
dim = np.argmax(np.abs(d))
xtest, deltaeff = clip(x, delta * d)
if deltaeff < deltatol * np.sum(np.abs(d)) - floatcompatol:
continue
if not free[dim] and (not errorcontrol and funcm(xtest) - feps <
funcm(x) or errorcontrol and funcm.test(xtest, x, type_=
'equality', alpha=alpha) and funcm.diffse(xtest, x) < feps):
free[dim] = True
message += '. dim %i is free at optimum' % dim
reskwargs = dict(x=x, nit=nit, nfev=funcm.nev, message=message, free=
free, success=True)
if errorcontrol:
f, funse = funcm(x)
res = OptimizeResult(fun=f, funse=funse, **reskwargs)
else:
f = funcm(x)
res = OptimizeResult(fun=f, **reskwargs)
if disp:
print(res)
return res
| minimizeCompass | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, x0, args=(), bounds=None, scaling=None, redfactor=2.0,\n deltainit=1.0, deltatol=0.001, feps=1e-15, errorcontrol=True, funcNinit\n =30, funcmultfac... |
def x(func, x0, args=(), bounds=None, niter=100, paired=True, a=1.0, alpha=
0.602, c=1.0, gamma=0.101, disp=False, callback=None):
A = 0.01 * niter
if bounds is not None:
bounds = np.asarray(bounds)
project = lambda x: np.clip(x, bounds[:, 0], bounds[:, 1])
if args is not None:
def x(x, **kwargs):
return func(x, *args, **kwargs)
N = len(x0)
x = x0
for k in range(niter):
ak = a / (k + 1.0 + A) ** alpha
ck = c / (k + 1.0) ** gamma
Deltak = np.random.choice([-1, 1], size=N)
fkwargs = dict()
if paired:
fkwargs['seed'] = np.random.randint(0, np.iinfo(np.uint32).max)
if bounds is None:
grad = (funcf(x + ck * Deltak, **fkwargs) - funcf(x - ck *
Deltak, **fkwargs)) / (2 * ck * Deltak)
x -= ak * grad
else:
xplus = project(x + ck * Deltak)
xminus = project(x - ck * Deltak)
grad = (funcf(xplus, **fkwargs) - funcf(xminus, **fkwargs)) / (
xplus - xminus)
x = project(x - ak * grad)
if disp and k % (niter // 100) == 0:
print(x)
if callback is not None:
callback(x)
message = 'terminated after reaching max number of iterations'
return OptimizeResult(fun=funcf(x), x=x, nit=niter, nfev=2 * niter,
message=message, success=True)
| minimizeSPSA | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, x0, args=(), bounds=None, niter=100, paired=True, a=1.0, alpha=\n 0.602, c=1.0, gamma=0.101, disp=False, callback=None):\n A = 0.01 * niter\n if... |
def x(func, a, b, xtol=1e-06, errorcontrol=True, testkwargs=dict(), outside
='extrapolate', ascending=None, disp=False):
search = True
if ascending is None:
if errorcontrol:
testkwargs.update(dict(type_='smaller', force=True))
fa = func.test0(a, **testkwargs)
fb = func.test0(b, **testkwargs)
else:
fa = func(a) < 0
fb = func(b) < 0
if fa and not fb:
ascending = True
elif fb and not fa:
ascending = False
else:
if disp:
print(
'Warning: func(a) and func(b) do not have opposing signs -> no search done'
)
if outside == 'raise':
raise BisectException()
search = False
while b - a > xtol and search:
mid = (a + b) / 2.0
if ascending:
if not errorcontrol and func(mid
) < 0 or errorcontrol and func.test0(mid, **testkwargs):
a = mid
else:
b = mid
elif not errorcontrol and func(mid) < 0 or errorcontrol and func.test0(
mid, **testkwargs):
b = mid
else:
a = mid
if disp:
print('bisect bounds', a, b)
if errorcontrol:
ya, yb = func(a)[0], func(b)[0]
else:
ya, yb = func(a), func(b)
m = (yb - ya) / (b - a)
res = a - ya / m
if disp:
print('bisect final value', res)
return res
| bisect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, a, b, xtol=1e-06, errorcontrol=True, testkwargs=dict(), outside\n ='extrapolate', ascending=None, disp=False):\n search = True\n if ascending is... |
def x(self, x1, x2):
f1, f1se = self(x1)
f2, f2se = self(x2)
if self.paired:
fx1 = np.array(self.cache[tuple(x1)])
fx2 = np.array(self.cache[tuple(x2)])
diffse = np.std(fx1 - fx2, ddof=1) / self.N ** 0.5
return diffse
else:
return (f1se ** 2 + f2se ** 2) ** 0.5
| diffse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x1, x2):\n f1, f1se = self(x1)\n f2, f2se = self(x2)\n if self.paired:\n fx1 = np.array(self.cache[tuple(x1)])\n fx2 = np.array(se... |
def x(self, p):
p[0] = Document(definitions=[Query(selections=p[1])] + p[2])
| p_document_shorthand_with_fragments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p):\n p[0] = Document(definitions=[Query(selections=p[1])] + p[2])\n",
"role": "user"
},
{
"content": "p_document_shorthand_with_fragments... |
def x(self, p):
p[0] = self.operation_cls(p[1])(selections=p[5], name=p[2],
variable_definitions=p[3], directives=p[4])
| p_operation_definition1 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p):\n p[0] = self.operation_cls(p[1])(selections=p[5], name=p[2],\n variable_definitions=p[3], directives=p[4])\n",
"role": "user"
},
{... |
def x(self, p):
p[0] = self.operation_cls(p[1])(selections=p[4], name=p[2],
variable_definitions=p[3])
| p_operation_definition2 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p):\n p[0] = self.operation_cls(p[1])(selections=p[4], name=p[2],\n variable_definitions=p[3])\n",
"role": "user"
},
{
"content": "... |
def x(self, p):
p[0] = self.operation_cls(p[1])(selections=p[4], name=p[2], directives=p[3]
)
| p_operation_definition3 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p):\n p[0] = self.operation_cls(p[1])(selections=p[4], name=p[2], directives=p[3]\n )\n",
"role": "user"
},
{
"content": "p_operati... |
def x(self, p):
p[0] = self.operation_cls(p[1])(selections=p[3], name=p[2])
| p_operation_definition4 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p):\n p[0] = self.operation_cls(p[1])(selections=p[3], name=p[2])\n",
"role": "user"
},
{
"content": "p_operation_definition4",
"role"... |
def x(self, p):
p[0] = self.operation_cls(p[1])(selections=p[4], variable_definitions=p
[2], directives=p[3])
| p_operation_definition5 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p):\n p[0] = self.operation_cls(p[1])(selections=p[4], variable_definitions=p\n [2], directives=p[3])\n",
"role": "user"
},
{
"cont... |
def x(self, p):
p[0] = self.operation_cls(p[1])(selections=p[3], variable_definitions=p[2])
| p_operation_definition6 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p):\n p[0] = self.operation_cls(p[1])(selections=p[3], variable_definitions=p[2])\n",
"role": "user"
},
{
"content": "p_operation_definiti... |
def x(self, p):
p[0] = self.operation_cls(p[1])(selections=p[3], directives=p[2])
| p_operation_definition7 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p):\n p[0] = self.operation_cls(p[1])(selections=p[3], directives=p[2])\n",
"role": "user"
},
{
"content": "p_operation_definition7",
... |
def x(self, p):
p[0] = Field(name=p[2], alias=p[1], arguments=p[3], directives=p[4],
selections=p[5])
| p_field_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p):\n p[0] = Field(name=p[2], alias=p[1], arguments=p[3], directives=p[4],\n selections=p[5])\n",
"role": "user"
},
{
"content": "p... |
def x(self, p):
p[0] = Field(name=p[1], arguments=p[2], directives=p[3], selections=p[5])
| p_field_optional1_1 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p):\n p[0] = Field(name=p[1], arguments=p[2], directives=p[3], selections=p[5])\n",
"role": "user"
},
{
"content": "p_field_optional1_1",
... |
def x(self, p):
p[0] = Field(name=p[2], alias=p[1], directives=p[3], selections=p[5])
| p_field_optional1_2 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p):\n p[0] = Field(name=p[2], alias=p[1], directives=p[3], selections=p[5])\n",
"role": "user"
},
{
"content": "p_field_optional1_2",
... |
def x(self, p):
p[0] = Field(name=p[2], alias=p[1], arguments=p[3], selections=p[4])
| p_field_optional1_3 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p):\n p[0] = Field(name=p[2], alias=p[1], arguments=p[3], selections=p[4])\n",
"role": "user"
},
{
"content": "p_field_optional1_3",
"... |
def x(self, p):
p[0] = Field(name=p[2], alias=p[1], arguments=p[3], directives=p[4])
| p_field_optional1_4 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p):\n p[0] = Field(name=p[2], alias=p[1], arguments=p[3], directives=p[4])\n",
"role": "user"
},
{
"content": "p_field_optional1_4",
"... |
def x(self, p):
p[0] = Field(name=p[1], directives=p[2], selections=p[3])
| p_field_optional2_1 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p):\n p[0] = Field(name=p[1], directives=p[2], selections=p[3])\n",
"role": "user"
},
{
"content": "p_field_optional2_1",
"role": "ass... |
def x(self, p):
p[0] = Field(name=p[1], arguments=p[2], selections=p[3])
| p_field_optional2_2 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p):\n p[0] = Field(name=p[1], arguments=p[2], selections=p[3])\n",
"role": "user"
},
{
"content": "p_field_optional2_2",
"role": "assi... |
def x(self, p):
p[0] = Field(name=p[1], arguments=p[2], directives=p[3])
| p_field_optional2_3 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p):\n p[0] = Field(name=p[1], arguments=p[2], directives=p[3])\n",
"role": "user"
},
{
"content": "p_field_optional2_3",
"role": "assi... |
def x(self, p):
p[0] = Field(name=p[2], alias=p[1], selections=p[3])
| p_field_optional2_4 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p):\n p[0] = Field(name=p[2], alias=p[1], selections=p[3])\n",
"role": "user"
},
{
"content": "p_field_optional2_4",
"role": "assistan... |
def x(self, p):
p[0] = Field(name=p[2], alias=p[1], directives=p[3])
| p_field_optional2_5 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p):\n p[0] = Field(name=p[2], alias=p[1], directives=p[3])\n",
"role": "user"
},
{
"content": "p_field_optional2_5",
"role": "assistan... |
def x(self, p):
p[0] = Field(name=p[2], alias=p[1], arguments=p[3])
| p_field_optional2_6 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p):\n p[0] = Field(name=p[2], alias=p[1], arguments=p[3])\n",
"role": "user"
},
{
"content": "p_field_optional2_6",
"role": "assistant... |
def x(self, p):
p[0] = FragmentDefinition(name=p[2], type_condition=p[4], selections=p[
6], directives=p[5])
| p_fragment_definition1 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p):\n p[0] = FragmentDefinition(name=p[2], type_condition=p[4], selections=p[\n 6], directives=p[5])\n",
"role": "user"
},
{
"conte... |
def x(self, p):
p[0] = FragmentDefinition(name=p[2], type_condition=p[4], selections=p[5])
| p_fragment_definition2 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p):\n p[0] = FragmentDefinition(name=p[2], type_condition=p[4], selections=p[5])\n",
"role": "user"
},
{
"content": "p_fragment_definition... |
def x(self, p):
p[0] = InlineFragment(type_condition=p[3], selections=p[5], directives=p[4]
)
| p_inline_fragment1 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p):\n p[0] = InlineFragment(type_condition=p[3], selections=p[5], directives=p[4]\n )\n",
"role": "user"
},
{
"content": "p_inline_... |
def x(self, p):
arguments = p[3] if len(p) == 4 else None
p[0] = Directive(name=p[2], arguments=arguments)
| p_directive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p):\n arguments = p[3] if len(p) == 4 else None\n p[0] = Directive(name=p[2], arguments=arguments)\n",
"role": "user"
},
{
"content": "... |
def x(self, p):
p[0] = VariableDefinition(name=p[2], type=p[4], default_value=p[5])
| p_variable_definition1 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p):\n p[0] = VariableDefinition(name=p[2], type=p[4], default_value=p[5])\n",
"role": "user"
},
{
"content": "p_variable_definition1",
... |
def x(self, p):
obj = p[1].copy()
obj.update(p[2])
p[0] = obj
| p_const_object_field_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p):\n obj = p[1].copy()\n obj.update(p[2])\n p[0] = obj\n",
"role": "user"
},
{
"content": "p_const_object_field_list",
"role": ... |
def x(triples):
return sorted(triples, key=lambda t: [(int(t) if t.isdigit() else t) for
t in re.split('([0-9]+)', t.relation or '')])
| alphanum_order | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(triples):\n return sorted(triples, key=lambda t: [(int(t) if t.isdigit() else t) for\n t in re.split('([0-9]+)', t.relation or '')])\n",
"role": ... |
def x(s, cls=PENMANCodec, **kwargs):
codec = cls(**kwargs)
return codec.decode(s)
| decode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, cls=PENMANCodec, **kwargs):\n codec = cls(**kwargs)\n return codec.decode(s)\n",
"role": "user"
},
{
"content": "decode",
"role": "ass... |
def x(g, top=None, cls=PENMANCodec, **kwargs):
codec = cls(**kwargs)
return codec.encode(g, top=top)
| encode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(g, top=None, cls=PENMANCodec, **kwargs):\n codec = cls(**kwargs)\n return codec.encode(g, top=top)\n",
"role": "user"
},
{
"content": "encode... |
def x(source, triples=False, cls=PENMANCodec, **kwargs):
decode = cls(**kwargs).iterdecode
if hasattr(source, 'read'):
return list(decode(source.read()))
else:
with open(source) as fh:
return list(decode(fh.read()))
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source, triples=False, cls=PENMANCodec, **kwargs):\n decode = cls(**kwargs).iterdecode\n if hasattr(source, 'read'):\n return list(decode(source.r... |
def x(string, triples=False, cls=PENMANCodec, **kwargs):
codec = cls(**kwargs)
return list(codec.iterdecode(string, triples=triples))
| loads | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string, triples=False, cls=PENMANCodec, **kwargs):\n codec = cls(**kwargs)\n return list(codec.iterdecode(string, triples=triples))\n",
"role": "user... |
def x(graphs, file, triples=False, cls=PENMANCodec, **kwargs):
text = dumps(graphs, triples=triples, cls=cls, **kwargs)
if hasattr(file, 'write'):
print(text, file=file)
else:
with open(file, 'w') as fh:
print(text, file=fh)
| dump | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(graphs, file, triples=False, cls=PENMANCodec, **kwargs):\n text = dumps(graphs, triples=triples, cls=cls, **kwargs)\n if hasattr(file, 'write'):\n ... |
def x(graphs, triples=False, cls=PENMANCodec, **kwargs):
codec = cls(**kwargs)
strings = [codec.encode(g, triples=triples) for g in graphs]
return '\n\n'.join(strings)
| dumps | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(graphs, triples=False, cls=PENMANCodec, **kwargs):\n codec = cls(**kwargs)\n strings = [codec.encode(g, triples=triples) for g in graphs]\n return '\\... |
def x(self, s, triples=False):
try:
if triples:
span, data = self._decode_triple_conjunction(s)
else:
span, data = self._decode_penman_node(s)
except IndexError:
raise DecodeError('Unexpected end of string.', string=s, pos=len(s))
top, nodes, edges = data
return self.triples_to_graph(nodes + edges, top=top)
| decode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, s, triples=False):\n try:\n if triples:\n span, data = self._decode_triple_conjunction(s)\n else:\n span, data = s... |
def x(self, s, triples=False):
pos, strlen = 0, len(s)
while pos < strlen:
if s[pos] == '#':
while pos < strlen and s[pos] != '\n':
pos += 1
elif triples or s[pos] == '(':
try:
if triples:
span, data = self._decode_triple_conjunction(s, pos=pos)
else:
span, data = self._decode_penman_node(s, pos=pos)
except (IndexError, DecodeError):
raise
pos += 1
else:
top, nodes, edges = data
yield self.triples_to_graph(nodes + edges, top=top)
pos = span[1]
else:
pos += 1
| iterdecode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, s, triples=False):\n pos, strlen = 0, len(s)\n while pos < strlen:\n if s[pos] == '#':\n while pos < strlen and s[pos] != '\\n':\... |
def x(self, g, top=None, triples=False):
if len(g.triples()) == 0:
raise EncodeError('Cannot encode empty graph.')
if triples:
return self._encode_triple_conjunction(g, top=top)
else:
return self._encode_penman(g, top=top)
| encode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, g, top=None, triples=False):\n if len(g.triples()) == 0:\n raise EncodeError('Cannot encode empty graph.')\n if triples:\n return sel... |
def x(self, lhs, relation, rhs):
relation = relation.replace(':', '', 1)
if self.is_relation_inverted(relation):
source, target, inverted = rhs, lhs, True
relation = self.invert_relation(relation)
else:
source, target, inverted = lhs, rhs, False
source = _default_cast(source)
target = _default_cast(target)
if relation == '':
relation = None
return Triple(source, relation, target, inverted)
| handle_triple | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lhs, relation, rhs):\n relation = relation.replace(':', '', 1)\n if self.is_relation_inverted(relation):\n source, target, inverted = rhs, l... |
def x(self, triples, top=None):
inferred_top = triples[0][0] if triples else None
ts = []
for triple in triples:
if triple[0] == self.TOP_VAR and triple[1] == self.TOP_REL:
inferred_top = triple[2]
else:
ts.append(self.handle_triple(*triple))
top = self.handle_triple(self.TOP_VAR, self.TOP_REL, top).target
return Graph(ts, top=top or inferred_top)
| triples_to_graph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, triples, top=None):\n inferred_top = triples[0][0] if triples else None\n ts = []\n for triple in triples:\n if triple[0] == self.TOP_VAR... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.