source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
---|---|---|
def x(stroke_width, fcolor, fill_opacity, contour_levels, contourf_idx, unit):
return {'stroke': fcolor, 'stroke-width': stroke_width,
'stroke-opacity': 1, 'fill': fcolor, 'fill-opacity': fill_opacity,
'title': '%.2f' % contour_levels[contourf_idx] + ' ' + unit}
| set_contourf_properties | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stroke_width, fcolor, fill_opacity, contour_levels, contourf_idx, unit):\n return {'stroke': fcolor, 'stroke-width': stroke_width,\n 'stroke-opacity': 1, 'fill': fcolor, 'fill-opacity': fill_opacity,\n 'title': '%.2f' % contour_levels[contourf_idx] + ' ' + unit}\n",
"role": "user"
},
{
"content": "set_contourf_properties",
"role": "assistant"
}
] |
def x(contour, geojson_filepath=None, min_angle_deg=None, ndigits=5, unit=
'', stroke_width=1, geojson_properties=None, strdump=False, serialize=True
):
collections = contour.collections
contour_index = 0
line_features = []
for collection in collections:
color = collection.get_edgecolor()
for path in collection.get_paths():
v = path.vertices
if len(v) < 3:
continue
coordinates = keep_high_angle(v, min_angle_deg)
if ndigits:
coordinates = np.around(coordinates, ndigits)
line = LineString(coordinates.tolist())
properties = {'stroke-width': stroke_width, 'stroke': rgb2hex(
color[0]), 'title': '%.2f' % contour.levels[contour_index] +
' ' + unit, 'level-value': float('%.6f' % contour.levels[
contour_index]), 'level-index': contour_index}
if geojson_properties:
properties.update(geojson_properties)
line_features.append(Feature(geometry=line, properties=properties))
contour_index += 1
feature_collection = FeatureCollection(line_features)
return _render_feature_collection(feature_collection, geojson_filepath,
strdump, serialize)
| contour_to_geojson | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(contour, geojson_filepath=None, min_angle_deg=None, ndigits=5, unit=\n '', stroke_width=1, geojson_properties=None, strdump=False, serialize=True\n ):\n collections = contour.collections\n contour_index = 0\n line_features = []\n for collection in collections:\n color = collection.get_edgecolor()\n for path in collection.get_paths():\n v = path.vertices\n if len(v) < 3:\n continue\n coordinates = keep_high_angle(v, min_angle_deg)\n if ndigits:\n coordinates = np.around(coordinates, ndigits)\n line = LineString(coordinates.tolist())\n properties = {'stroke-width': stroke_width, 'stroke': rgb2hex(\n color[0]), 'title': '%.2f' % contour.levels[contour_index] +\n ' ' + unit, 'level-value': float('%.6f' % contour.levels[\n contour_index]), 'level-index': contour_index}\n if geojson_properties:\n properties.update(geojson_properties)\n line_features.append(Feature(geometry=line, properties=properties))\n contour_index += 1\n feature_collection = FeatureCollection(line_features)\n return _render_feature_collection(feature_collection, geojson_filepath,\n strdump, serialize)\n",
"role": "user"
},
{
"content": "contour_to_geojson",
"role": "assistant"
}
] |
def x(contourf, geojson_filepath=None, min_angle_deg=None, ndigits=5, unit=
'', stroke_width=1, fill_opacity=0.9, geojson_properties=None, strdump=
False, serialize=True):
polygon_features = []
contourf_idx = 0
for collection in contourf.collections:
color = collection.get_facecolor()
for path in collection.get_paths():
for coord in path.to_polygons():
if min_angle_deg:
coord = keep_high_angle(coord, min_angle_deg)
coord = np.around(coord, ndigits) if ndigits else coord
polygon = Polygon(coordinates=[coord.tolist()])
fcolor = rgb2hex(color[0])
properties = set_contourf_properties(stroke_width, fcolor,
fill_opacity, contourf.levels, contourf_idx, unit)
if geojson_properties:
properties.update(geojson_properties)
feature = Feature(geometry=polygon, properties=properties)
polygon_features.append(feature)
contourf_idx += 1
feature_collection = FeatureCollection(polygon_features)
return _render_feature_collection(feature_collection, geojson_filepath,
strdump, serialize)
| contourf_to_geojson_overlap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(contourf, geojson_filepath=None, min_angle_deg=None, ndigits=5, unit=\n '', stroke_width=1, fill_opacity=0.9, geojson_properties=None, strdump=\n False, serialize=True):\n polygon_features = []\n contourf_idx = 0\n for collection in contourf.collections:\n color = collection.get_facecolor()\n for path in collection.get_paths():\n for coord in path.to_polygons():\n if min_angle_deg:\n coord = keep_high_angle(coord, min_angle_deg)\n coord = np.around(coord, ndigits) if ndigits else coord\n polygon = Polygon(coordinates=[coord.tolist()])\n fcolor = rgb2hex(color[0])\n properties = set_contourf_properties(stroke_width, fcolor,\n fill_opacity, contourf.levels, contourf_idx, unit)\n if geojson_properties:\n properties.update(geojson_properties)\n feature = Feature(geometry=polygon, properties=properties)\n polygon_features.append(feature)\n contourf_idx += 1\n feature_collection = FeatureCollection(polygon_features)\n return _render_feature_collection(feature_collection, geojson_filepath,\n strdump, serialize)\n",
"role": "user"
},
{
"content": "contourf_to_geojson_overlap",
"role": "assistant"
}
] |
def x(contourf, geojson_filepath=None, min_angle_deg=None, ndigits=5, unit=
'', stroke_width=1, fill_opacity=0.9, geojson_properties=None, strdump=
False, serialize=True):
polygon_features = []
mps = []
contourf_idx = 0
for coll in contourf.collections:
color = coll.get_facecolor()
for path in coll.get_paths():
for coord in path.to_polygons():
if min_angle_deg:
coord = keep_high_angle(coord, min_angle_deg)
coord = np.around(coord, ndigits) if ndigits else coord
op = MP(contourf.levels[contourf_idx], rgb2hex(color[0]))
if op in mps:
for i, k in enumerate(mps):
if k == op:
mps[i].add_coords(coord.tolist())
else:
op.add_coords(coord.tolist())
mps.append(op)
contourf_idx += 1
contourf_idx = 0
for muli in mps:
polygon = muli.mpoly()
fcolor = muli.color
properties = set_contourf_properties(stroke_width, fcolor,
fill_opacity, contourf.levels, contourf_idx, unit)
if geojson_properties:
properties.update(geojson_properties)
feature = Feature(geometry=polygon, properties=properties)
polygon_features.append(feature)
contourf_idx += 1
feature_collection = FeatureCollection(polygon_features)
return _render_feature_collection(feature_collection, geojson_filepath,
strdump, serialize)
| contourf_to_geojson | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(contourf, geojson_filepath=None, min_angle_deg=None, ndigits=5, unit=\n '', stroke_width=1, fill_opacity=0.9, geojson_properties=None, strdump=\n False, serialize=True):\n polygon_features = []\n mps = []\n contourf_idx = 0\n for coll in contourf.collections:\n color = coll.get_facecolor()\n for path in coll.get_paths():\n for coord in path.to_polygons():\n if min_angle_deg:\n coord = keep_high_angle(coord, min_angle_deg)\n coord = np.around(coord, ndigits) if ndigits else coord\n op = MP(contourf.levels[contourf_idx], rgb2hex(color[0]))\n if op in mps:\n for i, k in enumerate(mps):\n if k == op:\n mps[i].add_coords(coord.tolist())\n else:\n op.add_coords(coord.tolist())\n mps.append(op)\n contourf_idx += 1\n contourf_idx = 0\n for muli in mps:\n polygon = muli.mpoly()\n fcolor = muli.color\n properties = set_contourf_properties(stroke_width, fcolor,\n fill_opacity, contourf.levels, contourf_idx, unit)\n if geojson_properties:\n properties.update(geojson_properties)\n feature = Feature(geometry=polygon, properties=properties)\n polygon_features.append(feature)\n contourf_idx += 1\n feature_collection = FeatureCollection(polygon_features)\n return _render_feature_collection(feature_collection, geojson_filepath,\n strdump, serialize)\n",
"role": "user"
},
{
"content": "contourf_to_geojson",
"role": "assistant"
}
] |
def x(endpoint, provider_id):
endpoint_prefix = config_value('BLUEPRINT_NAME')
url = url_for(endpoint_prefix + '.' + endpoint, provider_id=provider_id)
return request.url_root[:-1] + url
| get_authorize_callback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(endpoint, provider_id):\n endpoint_prefix = config_value('BLUEPRINT_NAME')\n url = url_for(endpoint_prefix + '.' + endpoint, provider_id=provider_id)\n return request.url_root[:-1] + url\n",
"role": "user"
},
{
"content": "get_authorize_callback",
"role": "assistant"
}
] |
def x(self, **kwargs):
conn = self.find_connection(**kwargs)
if not conn:
return False
self.delete(conn)
return True
| delete_connection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n conn = self.find_connection(**kwargs)\n if not conn:\n return False\n self.delete(conn)\n return True\n",
"role": "user"
},
{
"content": "delete_connection",
"role": "assistant"
}
] |
def x(self, **kwargs):
rv = False
for c in self.find_connections(**kwargs):
self.delete(c)
rv = True
return rv
| delete_connections | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n rv = False\n for c in self.find_connections(**kwargs):\n self.delete(c)\n rv = True\n return rv\n",
"role": "user"
},
{
"content": "delete_connections",
"role": "assistant"
}
] |
def x(provider_id):
provider = get_provider_or_404(provider_id)
callback_url = get_authorize_callback('login', provider_id)
post_login = request.form.get('next', get_post_login_redirect())
session[config_value('POST_OAUTH_LOGIN_SESSION_KEY')] = post_login
return provider.authorize(callback_url)
| login | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(provider_id):\n provider = get_provider_or_404(provider_id)\n callback_url = get_authorize_callback('login', provider_id)\n post_login = request.form.get('next', get_post_login_redirect())\n session[config_value('POST_OAUTH_LOGIN_SESSION_KEY')] = post_login\n return provider.authorize(callback_url)\n",
"role": "user"
},
{
"content": "login",
"role": "assistant"
}
] |
def x(provider_id):
provider = get_provider_or_404(provider_id)
callback_url = get_authorize_callback('connect', provider_id)
allow_view = get_url(config_value('CONNECT_ALLOW_VIEW'))
pc = request.form.get('next', allow_view)
session[config_value('POST_OAUTH_CONNECT_SESSION_KEY')] = pc
return provider.authorize(callback_url)
| connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(provider_id):\n provider = get_provider_or_404(provider_id)\n callback_url = get_authorize_callback('connect', provider_id)\n allow_view = get_url(config_value('CONNECT_ALLOW_VIEW'))\n pc = request.form.get('next', allow_view)\n session[config_value('POST_OAUTH_CONNECT_SESSION_KEY')] = pc\n return provider.authorize(callback_url)\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(provider_id):
provider = get_provider_or_404(provider_id)
ctx = dict(provider=provider.name, user=current_user)
deleted = _datastore.delete_connections(user_id=current_user.get_id(),
provider_id=provider_id)
if deleted:
after_this_request(_commit)
msg = 'All connections to %s removed' % provider.name, 'info'
connection_removed.send(current_app._get_current_object(), user=
current_user._get_current_object(), provider_id=provider_id)
else:
msg = 'Unable to remove connection to %(provider)s' % ctx, 'error'
do_flash(*msg)
return redirect(request.referrer)
| remove_all_connections | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(provider_id):\n provider = get_provider_or_404(provider_id)\n ctx = dict(provider=provider.name, user=current_user)\n deleted = _datastore.delete_connections(user_id=current_user.get_id(),\n provider_id=provider_id)\n if deleted:\n after_this_request(_commit)\n msg = 'All connections to %s removed' % provider.name, 'info'\n connection_removed.send(current_app._get_current_object(), user=\n current_user._get_current_object(), provider_id=provider_id)\n else:\n msg = 'Unable to remove connection to %(provider)s' % ctx, 'error'\n do_flash(*msg)\n return redirect(request.referrer)\n",
"role": "user"
},
{
"content": "remove_all_connections",
"role": "assistant"
}
] |
def x(provider_id, provider_user_id):
provider = get_provider_or_404(provider_id)
ctx = dict(provider=provider.name, user=current_user, provider_user_id=
provider_user_id)
deleted = _datastore.delete_connection(user_id=current_user.get_id(),
provider_id=provider_id, provider_user_id=provider_user_id)
if deleted:
after_this_request(_commit)
msg = 'Connection to %(provider)s removed' % ctx, 'info'
connection_removed.send(current_app._get_current_object(), user=
current_user._get_current_object(), provider_id=provider_id)
else:
msg = 'Unabled to remove connection to %(provider)s' % ctx, 'error'
do_flash(*msg)
return redirect(request.referrer or get_post_login_redirect())
| remove_connection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(provider_id, provider_user_id):\n provider = get_provider_or_404(provider_id)\n ctx = dict(provider=provider.name, user=current_user, provider_user_id=\n provider_user_id)\n deleted = _datastore.delete_connection(user_id=current_user.get_id(),\n provider_id=provider_id, provider_user_id=provider_user_id)\n if deleted:\n after_this_request(_commit)\n msg = 'Connection to %(provider)s removed' % ctx, 'info'\n connection_removed.send(current_app._get_current_object(), user=\n current_user._get_current_object(), provider_id=provider_id)\n else:\n msg = 'Unabled to remove connection to %(provider)s' % ctx, 'error'\n do_flash(*msg)\n return redirect(request.referrer or get_post_login_redirect())\n",
"role": "user"
},
{
"content": "remove_connection",
"role": "assistant"
}
] |
def x(cv, provider):
cv.setdefault('user_id', current_user.get_id())
connection = _datastore.find_connection(provider_id=cv['provider_id'],
provider_user_id=cv['provider_user_id'])
if connection is None:
after_this_request(_commit)
connection = _datastore.create_connection(**cv)
msg = 'Connection established to %s' % provider.name, 'success'
connection_created.send(current_app._get_current_object(), user=
current_user._get_current_object(), connection=connection)
else:
msg = (
'A connection is already established with %s to your account' %
provider.name, 'notice')
connection_failed.send(current_app._get_current_object(), user=
current_user._get_current_object())
redirect_url = session.pop(config_value(
'POST_OAUTH_CONNECT_SESSION_KEY'), get_url(config_value(
'CONNECT_ALLOW_VIEW')))
do_flash(*msg)
return redirect(redirect_url)
| connect_handler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cv, provider):\n cv.setdefault('user_id', current_user.get_id())\n connection = _datastore.find_connection(provider_id=cv['provider_id'],\n provider_user_id=cv['provider_user_id'])\n if connection is None:\n after_this_request(_commit)\n connection = _datastore.create_connection(**cv)\n msg = 'Connection established to %s' % provider.name, 'success'\n connection_created.send(current_app._get_current_object(), user=\n current_user._get_current_object(), connection=connection)\n else:\n msg = (\n 'A connection is already established with %s to your account' %\n provider.name, 'notice')\n connection_failed.send(current_app._get_current_object(), user=\n current_user._get_current_object())\n redirect_url = session.pop(config_value(\n 'POST_OAUTH_CONNECT_SESSION_KEY'), get_url(config_value(\n 'CONNECT_ALLOW_VIEW')))\n do_flash(*msg)\n return redirect(redirect_url)\n",
"role": "user"
},
{
"content": "connect_handler",
"role": "assistant"
}
] |
def x(response, provider, query):
connection = _datastore.find_connection(**query)
if connection:
after_this_request(_commit)
token_pair = get_token_pair_from_oauth_response(provider, response)
if token_pair['access_token'] != connection.access_token or token_pair[
'secret'] != connection.secret:
connection.access_token = token_pair['access_token']
connection.secret = token_pair['secret']
_datastore.put(connection)
user = connection.user
login_user(user)
key = _social.post_oauth_login_session_key
redirect_url = session.pop(key, get_post_login_redirect())
login_completed.send(current_app._get_current_object(), provider=
provider, user=user)
return redirect(redirect_url)
login_failed.send(current_app._get_current_object(), provider=provider,
oauth_response=response)
next = get_url(_security.login_manager.login_view)
msg = '%s account not associated with an existing user' % provider.name
do_flash(msg, 'error')
return redirect(next)
| login_handler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(response, provider, query):\n connection = _datastore.find_connection(**query)\n if connection:\n after_this_request(_commit)\n token_pair = get_token_pair_from_oauth_response(provider, response)\n if token_pair['access_token'] != connection.access_token or token_pair[\n 'secret'] != connection.secret:\n connection.access_token = token_pair['access_token']\n connection.secret = token_pair['secret']\n _datastore.put(connection)\n user = connection.user\n login_user(user)\n key = _social.post_oauth_login_session_key\n redirect_url = session.pop(key, get_post_login_redirect())\n login_completed.send(current_app._get_current_object(), provider=\n provider, user=user)\n return redirect(redirect_url)\n login_failed.send(current_app._get_current_object(), provider=provider,\n oauth_response=response)\n next = get_url(_security.login_manager.login_view)\n msg = '%s account not associated with an existing user' % provider.name\n do_flash(msg, 'error')\n return redirect(next)\n",
"role": "user"
},
{
"content": "login_handler",
"role": "assistant"
}
] |
def x(self, app, datastore=None):
datastore = datastore or self.datastore
for key, value in default_config.items():
app.config.setdefault(key, value)
providers = dict()
for key, config in app.config.items():
if not key.startswith('SOCIAL_'
) or config is None or key in default_config:
continue
suffix = key.lower().replace('social_', '')
default_module_name = 'flask_social.providers.%s' % suffix
module_name = config.get('module', default_module_name)
module = import_module(module_name)
config = update_recursive(module.config, config)
providers[config['id']] = OAuthRemoteApp(**config)
providers[config['id']].tokengetter(_get_token)
state = _get_state(app, datastore, providers)
app.register_blueprint(create_blueprint(state, __name__))
app.extensions['social'] = state
return state
| 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, datastore=None):\n datastore = datastore or self.datastore\n for key, value in default_config.items():\n app.config.setdefault(key, value)\n providers = dict()\n for key, config in app.config.items():\n if not key.startswith('SOCIAL_'\n ) or config is None or key in default_config:\n continue\n suffix = key.lower().replace('social_', '')\n default_module_name = 'flask_social.providers.%s' % suffix\n module_name = config.get('module', default_module_name)\n module = import_module(module_name)\n config = update_recursive(module.config, config)\n providers[config['id']] = OAuthRemoteApp(**config)\n providers[config['id']].tokengetter(_get_token)\n state = _get_state(app, datastore, providers)\n app.register_blueprint(create_blueprint(state, __name__))\n app.extensions['social'] = state\n return state\n",
"role": "user"
},
{
"content": "init_app",
"role": "assistant"
}
] |
def x(filename, fallback='application/octet-stream'):
guessed, encoding = mimetypes.guess_type(filename, strict=False)
if guessed is None:
return fallback, encoding
return guessed, encoding
| guess | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, fallback='application/octet-stream'):\n guessed, encoding = mimetypes.guess_type(filename, strict=False)\n if guessed is None:\n return fallback, encoding\n return guessed, encoding\n",
"role": "user"
},
{
"content": "guess",
"role": "assistant"
}
] |
def x(addrs):
return ', '.join(formataddr(item) if isinstance(item, tuple) else item for
item in addrs)
| format_addresses | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(addrs):\n return ', '.join(formataddr(item) if isinstance(item, tuple) else item for\n item in addrs)\n",
"role": "user"
},
{
"content": "format_addresses",
"role": "assistant"
}
] |
def x(addr, encoding='utf-8'):
if isinstance(addr, bytes_type):
return addr
try:
addr = addr.encode('ascii')
except UnicodeEncodeError:
if '@' in addr:
localpart, domain = addr.split('@', 1)
addr = b'@'.join([localpart.encode(encoding), domain.encode(
'idna')])
else:
addr = addr.encode(encoding)
return addr.decode('utf-8')
| stringify_address | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(addr, encoding='utf-8'):\n if isinstance(addr, bytes_type):\n return addr\n try:\n addr = addr.encode('ascii')\n except UnicodeEncodeError:\n if '@' in addr:\n localpart, domain = addr.split('@', 1)\n addr = b'@'.join([localpart.encode(encoding), domain.encode(\n 'idna')])\n else:\n addr = addr.encode(encoding)\n return addr.decode('utf-8')\n",
"role": "user"
},
{
"content": "stringify_address",
"role": "assistant"
}
] |
def x(sender=None, receivers=(), cc=(), bcc=(), subject=None, content=None,
encoding='utf8', attachments=()):
enclosure = [HTML(content, encoding)]
enclosure.extend(Attachment(k) for k in attachments)
return Collection(*enclosure, headers=[headers.subject(subject),
headers.sender(sender), headers.to(*receivers), headers.cc(*cc),
headers.bcc(*bcc), headers.date(), headers.message_id()])
| email | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sender=None, receivers=(), cc=(), bcc=(), subject=None, content=None,\n encoding='utf8', attachments=()):\n enclosure = [HTML(content, encoding)]\n enclosure.extend(Attachment(k) for k in attachments)\n return Collection(*enclosure, headers=[headers.subject(subject),\n headers.sender(sender), headers.to(*receivers), headers.cc(*cc),\n headers.bcc(*bcc), headers.date(), headers.message_id()])\n",
"role": "user"
},
{
"content": "email",
"role": "assistant"
}
] |
def x(host, port=587, auth=(None, None), force_tls=False, options=None):
return Postman(host=host, port=port, middlewares=[middleware.tls(force=
force_tls), middleware.auth(*auth)], **options)
| postman | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(host, port=587, auth=(None, None), force_tls=False, options=None):\n return Postman(host=host, port=port, middlewares=[middleware.tls(force=\n force_tls), middleware.auth(*auth)], **options)\n",
"role": "user"
},
{
"content": "postman",
"role": "assistant"
}
] |
def x(self):
mime = self.mime_object()
self.headers.prepare(mime)
return mime
| mime | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n mime = self.mime_object()\n self.headers.prepare(mime)\n return mime\n",
"role": "user"
},
{
"content": "mime",
"role": "assistant"
}
] |
def x(self, envelope):
rejected = self.conn.sendmail(stringify_address(envelope.sender), [
stringify_address(k) for k in envelope.receivers], envelope.string())
status_code, reason = self.conn.noop()
return SendmailResponse(status_code, reason, rejected)
| send | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, envelope):\n rejected = self.conn.sendmail(stringify_address(envelope.sender), [\n stringify_address(k) for k in envelope.receivers], envelope.string())\n status_code, reason = self.conn.noop()\n return SendmailResponse(status_code, reason, rejected)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self):
conn = self.session(**self.options)
try:
for item in self.middlewares:
item(conn)
yield conn
finally:
conn.teardown()
| connection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n conn = self.session(**self.options)\n try:\n for item in self.middlewares:\n item(conn)\n yield conn\n finally:\n conn.teardown()\n",
"role": "user"
},
{
"content": "connection",
"role": "assistant"
}
] |
def x(self):
to_fetch = ['Resent-Sender', 'Resent-From'] if self.resent else ['Sender',
'From']
for item in to_fetch:
if item in self:
_, addr = getaddresses([self[item]])[0]
return addr
| sender | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n to_fetch = ['Resent-Sender', 'Resent-From'] if self.resent else ['Sender',\n 'From']\n for item in to_fetch:\n if item in self:\n _, addr = getaddresses([self[item]])[0]\n return addr\n",
"role": "user"
},
{
"content": "sender",
"role": "assistant"
}
] |
def x(self):
attrs = ['Resent-To', 'Resent-Cc', 'Resent-Bcc'] if self.resent else ['To',
'Cc', 'Bcc']
addrs = (v for v in (self.get(k) for k in attrs) if v)
return [addr for _, addr in getaddresses(addrs)]
| receivers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n attrs = ['Resent-To', 'Resent-Cc', 'Resent-Bcc'] if self.resent else ['To',\n 'Cc', 'Bcc']\n addrs = (v for v in (self.get(k) for k in attrs) if v)\n return [addr for _, addr in getaddresses(addrs)]\n",
"role": "user"
},
{
"content": "receivers",
"role": "assistant"
}
] |
def x(self, mime):
for key in self:
if key == 'Bcc' or key == 'Resent-Bcc':
continue
del mime[key]
parsed_header, additional_fields = parse_header(self[key] if IS_PY3
else self[key].encode('utf-8'))
mime.add_header(key, parsed_header, **additional_fields)
| prepare | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mime):\n for key in self:\n if key == 'Bcc' or key == 'Resent-Bcc':\n continue\n del mime[key]\n parsed_header, additional_fields = parse_header(self[key] if IS_PY3\n else self[key].encode('utf-8'))\n mime.add_header(key, parsed_header, **additional_fields)\n",
"role": "user"
},
{
"content": "prepare",
"role": "assistant"
}
] |
def x(force=False):
def x(conn):
if force or conn.has_extn('STARTTLS'):
conn.starttls()
conn.ehlo()
return middleware
| tls | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(force=False):\n\n def x(conn):\n if force or conn.has_extn('STARTTLS'):\n conn.starttls()\n conn.ehlo()\n return middleware\n",
"role": "user"
},
{
"content": "tls",
"role": "assistant"
}
] |
def x(username, password):
def x(conn):
conn.login(username, password)
return middleware
| auth | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(username, password):\n\n def x(conn):\n conn.login(username, password)\n return middleware\n",
"role": "user"
},
{
"content": "auth",
"role": "assistant"
}
] |
def x(model_name):
try:
model_cls = engine.get_document_cls(model_name)
log.debug('Model `{}` already exists. Using existing one'.format(
model_name))
return model_cls
except ValueError:
log.debug('Model `{}` does not exist'.format(model_name))
| get_existing_model | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model_name):\n try:\n model_cls = engine.get_document_cls(model_name)\n log.debug('Model `{}` already exists. Using existing one'.format(\n model_name))\n return model_cls\n except ValueError:\n log.debug('Model `{}` does not exist'.format(model_name))\n",
"role": "user"
},
{
"content": "get_existing_model",
"role": "assistant"
}
] |
def x(config, model_name, raml_resource):
if get_existing_model(model_name) is None:
plural_route = '/' + pluralize(model_name.lower())
route = '/' + model_name.lower()
for res in raml_resource.root.resources:
if res.method.upper() != 'POST':
continue
if res.path.endswith(plural_route) or res.path.endswith(route):
break
else:
raise ValueError('Model `{}` used in relationship is not defined'
.format(model_name))
setup_data_model(config, res, model_name)
| prepare_relationship | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, model_name, raml_resource):\n if get_existing_model(model_name) is None:\n plural_route = '/' + pluralize(model_name.lower())\n route = '/' + model_name.lower()\n for res in raml_resource.root.resources:\n if res.method.upper() != 'POST':\n continue\n if res.path.endswith(plural_route) or res.path.endswith(route):\n break\n else:\n raise ValueError('Model `{}` used in relationship is not defined'\n .format(model_name))\n setup_data_model(config, res, model_name)\n",
"role": "user"
},
{
"content": "prepare_relationship",
"role": "assistant"
}
] |
def x(config, schema, model_name, raml_resource, es_based=True):
from nefertari.authentication.models import AuthModelMethodsMixin
base_cls = engine.ESBaseDocument if es_based else engine.BaseDocument
model_name = str(model_name)
metaclass = type(base_cls)
auth_model = schema.get('_auth_model', False)
bases = []
if config.registry.database_acls:
from nefertari_guards import engine as guards_engine
bases.append(guards_engine.DocumentACLMixin)
if auth_model:
bases.append(AuthModelMethodsMixin)
bases.append(base_cls)
attrs = {'__tablename__': model_name.lower(), '_public_fields': schema.
get('_public_fields') or [], '_auth_fields': schema.get(
'_auth_fields') or [], '_hidden_fields': schema.get(
'_hidden_fields') or [], '_nested_relationships': schema.get(
'_nested_relationships') or []}
if '_nesting_depth' in schema:
attrs['_nesting_depth'] = schema.get('_nesting_depth')
properties = schema.get('properties', {})
for field_name, props in properties.items():
if field_name in attrs:
continue
db_settings = props.get('_db_settings')
if db_settings is None:
continue
field_kwargs = db_settings.copy()
field_kwargs['required'] = bool(field_kwargs.get('required'))
for default_attr_key in ('default', 'onupdate'):
value = field_kwargs.get(default_attr_key)
if is_callable_tag(value):
field_kwargs[default_attr_key] = resolve_to_callable(value)
type_name = (field_kwargs.pop('type', 'string') or 'string').lower()
if type_name not in type_fields:
raise ValueError('Unknown type: {}'.format(type_name))
field_cls = type_fields[type_name]
if field_cls is engine.Relationship:
prepare_relationship(config, field_kwargs['document'],
raml_resource)
if field_cls is engine.ForeignKeyField:
key = 'ref_column_type'
field_kwargs[key] = type_fields[field_kwargs[key]]
if field_cls is engine.ListField:
key = 'item_type'
field_kwargs[key] = type_fields[field_kwargs[key]]
attrs[field_name] = field_cls(**field_kwargs)
attrs.update(registry.mget(model_name))
model_cls = metaclass(model_name, tuple(bases), attrs)
setup_model_event_subscribers(config, model_cls, schema)
setup_fields_processors(config, model_cls, schema)
return model_cls, auth_model
| generate_model_cls | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, schema, model_name, raml_resource, es_based=True):\n from nefertari.authentication.models import AuthModelMethodsMixin\n base_cls = engine.ESBaseDocument if es_based else engine.BaseDocument\n model_name = str(model_name)\n metaclass = type(base_cls)\n auth_model = schema.get('_auth_model', False)\n bases = []\n if config.registry.database_acls:\n from nefertari_guards import engine as guards_engine\n bases.append(guards_engine.DocumentACLMixin)\n if auth_model:\n bases.append(AuthModelMethodsMixin)\n bases.append(base_cls)\n attrs = {'__tablename__': model_name.lower(), '_public_fields': schema.\n get('_public_fields') or [], '_auth_fields': schema.get(\n '_auth_fields') or [], '_hidden_fields': schema.get(\n '_hidden_fields') or [], '_nested_relationships': schema.get(\n '_nested_relationships') or []}\n if '_nesting_depth' in schema:\n attrs['_nesting_depth'] = schema.get('_nesting_depth')\n properties = schema.get('properties', {})\n for field_name, props in properties.items():\n if field_name in attrs:\n continue\n db_settings = props.get('_db_settings')\n if db_settings is None:\n continue\n field_kwargs = db_settings.copy()\n field_kwargs['required'] = bool(field_kwargs.get('required'))\n for default_attr_key in ('default', 'onupdate'):\n value = field_kwargs.get(default_attr_key)\n if is_callable_tag(value):\n field_kwargs[default_attr_key] = resolve_to_callable(value)\n type_name = (field_kwargs.pop('type', 'string') or 'string').lower()\n if type_name not in type_fields:\n raise ValueError('Unknown type: {}'.format(type_name))\n field_cls = type_fields[type_name]\n if field_cls is engine.Relationship:\n prepare_relationship(config, field_kwargs['document'],\n raml_resource)\n if field_cls is engine.ForeignKeyField:\n key = 'ref_column_type'\n field_kwargs[key] = type_fields[field_kwargs[key]]\n if field_cls is engine.ListField:\n key = 'item_type'\n field_kwargs[key] = type_fields[field_kwargs[key]]\n attrs[field_name] = field_cls(**field_kwargs)\n attrs.update(registry.mget(model_name))\n model_cls = metaclass(model_name, tuple(bases), attrs)\n setup_model_event_subscribers(config, model_cls, schema)\n setup_fields_processors(config, model_cls, schema)\n return model_cls, auth_model\n",
"role": "user"
},
{
"content": "generate_model_cls",
"role": "assistant"
}
] |
def x(config, raml_resource, model_name):
model_cls = get_existing_model(model_name)
schema = resource_schema(raml_resource)
if not schema:
raise Exception('Missing schema for model `{}`'.format(model_name))
if model_cls is not None:
return model_cls, schema.get('_auth_model', False)
log.info('Generating model class `{}`'.format(model_name))
return generate_model_cls(config, schema=schema, model_name=model_name,
raml_resource=raml_resource)
| setup_data_model | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, raml_resource, model_name):\n model_cls = get_existing_model(model_name)\n schema = resource_schema(raml_resource)\n if not schema:\n raise Exception('Missing schema for model `{}`'.format(model_name))\n if model_cls is not None:\n return model_cls, schema.get('_auth_model', False)\n log.info('Generating model class `{}`'.format(model_name))\n return generate_model_cls(config, schema=schema, model_name=model_name,\n raml_resource=raml_resource)\n",
"role": "user"
},
{
"content": "setup_data_model",
"role": "assistant"
}
] |
def x(config, raml_resource):
model_name = generate_model_name(raml_resource)
try:
return setup_data_model(config, raml_resource, model_name)
except ValueError as ex:
raise ValueError('{}: {}'.format(model_name, str(ex)))
| handle_model_generation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, raml_resource):\n model_name = generate_model_name(raml_resource)\n try:\n return setup_data_model(config, raml_resource, model_name)\n except ValueError as ex:\n raise ValueError('{}: {}'.format(model_name, str(ex)))\n",
"role": "user"
},
{
"content": "handle_model_generation",
"role": "assistant"
}
] |
def x(config, model_cls, schema):
events_map = get_events_map()
model_events = schema.get('_event_handlers', {})
event_kwargs = {'model': model_cls}
for event_tag, subscribers in model_events.items():
type_, action = event_tag.split('_')
event_objects = events_map[type_][action]
if not isinstance(event_objects, list):
event_objects = [event_objects]
for sub_name in subscribers:
sub_func = resolve_to_callable(sub_name)
config.subscribe_to_events(sub_func, event_objects, **event_kwargs)
| setup_model_event_subscribers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, model_cls, schema):\n events_map = get_events_map()\n model_events = schema.get('_event_handlers', {})\n event_kwargs = {'model': model_cls}\n for event_tag, subscribers in model_events.items():\n type_, action = event_tag.split('_')\n event_objects = events_map[type_][action]\n if not isinstance(event_objects, list):\n event_objects = [event_objects]\n for sub_name in subscribers:\n sub_func = resolve_to_callable(sub_name)\n config.subscribe_to_events(sub_func, event_objects, **event_kwargs)\n",
"role": "user"
},
{
"content": "setup_model_event_subscribers",
"role": "assistant"
}
] |
def x(config, model_cls, schema):
properties = schema.get('properties', {})
for field_name, props in properties.items():
if not props:
continue
processors = props.get('_processors')
backref_processors = props.get('_backref_processors')
if processors:
processors = [resolve_to_callable(val) for val in processors]
setup_kwargs = {'model': model_cls, 'field': field_name}
config.add_field_processors(processors, **setup_kwargs)
if backref_processors:
db_settings = props.get('_db_settings', {})
is_relationship = db_settings.get('type') == 'relationship'
document = db_settings.get('document')
backref_name = db_settings.get('backref_name')
if not (is_relationship and document and backref_name):
continue
backref_processors = [resolve_to_callable(val) for val in
backref_processors]
setup_kwargs = {'model': engine.get_document_cls(document),
'field': backref_name}
config.add_field_processors(backref_processors, **setup_kwargs)
| setup_fields_processors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, model_cls, schema):\n properties = schema.get('properties', {})\n for field_name, props in properties.items():\n if not props:\n continue\n processors = props.get('_processors')\n backref_processors = props.get('_backref_processors')\n if processors:\n processors = [resolve_to_callable(val) for val in processors]\n setup_kwargs = {'model': model_cls, 'field': field_name}\n config.add_field_processors(processors, **setup_kwargs)\n if backref_processors:\n db_settings = props.get('_db_settings', {})\n is_relationship = db_settings.get('type') == 'relationship'\n document = db_settings.get('document')\n backref_name = db_settings.get('backref_name')\n if not (is_relationship and document and backref_name):\n continue\n backref_processors = [resolve_to_callable(val) for val in\n backref_processors]\n setup_kwargs = {'model': engine.get_document_cls(document),\n 'field': backref_name}\n config.add_field_processors(backref_processors, **setup_kwargs)\n",
"role": "user"
},
{
"content": "setup_fields_processors",
"role": "assistant"
}
] |
def x(config, params):
from nefertari.authentication.views import TicketAuthRegisterView, TicketAuthLoginView, TicketAuthLogoutView
log.info('Configuring Pyramid Ticket Authn policy')
if 'secret' not in params:
raise ValueError('Missing required security scheme settings: secret')
params['secret'] = config.registry.settings[params['secret']]
auth_model = config.registry.auth_model
params['callback'] = auth_model.get_groups_by_userid
config.add_request_method(auth_model.get_authuser_by_userid, 'user',
reify=True)
policy = AuthTktAuthenticationPolicy(**params)
RegisterViewBase = TicketAuthRegisterView
if config.registry.database_acls:
class RegisterViewBase(ACLAssignRegisterMixin, TicketAuthRegisterView):
pass
class RamsesTicketAuthRegisterView(RegisterViewBase):
Model = config.registry.auth_model
class RamsesTicketAuthLoginView(TicketAuthLoginView):
Model = config.registry.auth_model
class RamsesTicketAuthLogoutView(TicketAuthLogoutView):
Model = config.registry.auth_model
common_kw = {'prefix': 'auth', 'factory': 'nefertari.acl.AuthenticationACL'
}
root = config.get_root_resource()
root.add('register', view=RamsesTicketAuthRegisterView, **common_kw)
root.add('login', view=RamsesTicketAuthLoginView, **common_kw)
root.add('logout', view=RamsesTicketAuthLogoutView, **common_kw)
return policy
| setup_ticket_policy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, params):\n from nefertari.authentication.views import TicketAuthRegisterView, TicketAuthLoginView, TicketAuthLogoutView\n log.info('Configuring Pyramid Ticket Authn policy')\n if 'secret' not in params:\n raise ValueError('Missing required security scheme settings: secret')\n params['secret'] = config.registry.settings[params['secret']]\n auth_model = config.registry.auth_model\n params['callback'] = auth_model.get_groups_by_userid\n config.add_request_method(auth_model.get_authuser_by_userid, 'user',\n reify=True)\n policy = AuthTktAuthenticationPolicy(**params)\n RegisterViewBase = TicketAuthRegisterView\n if config.registry.database_acls:\n\n\n class RegisterViewBase(ACLAssignRegisterMixin, TicketAuthRegisterView):\n pass\n\n\n class RamsesTicketAuthRegisterView(RegisterViewBase):\n Model = config.registry.auth_model\n\n\n class RamsesTicketAuthLoginView(TicketAuthLoginView):\n Model = config.registry.auth_model\n\n\n class RamsesTicketAuthLogoutView(TicketAuthLogoutView):\n Model = config.registry.auth_model\n common_kw = {'prefix': 'auth', 'factory': 'nefertari.acl.AuthenticationACL'\n }\n root = config.get_root_resource()\n root.add('register', view=RamsesTicketAuthRegisterView, **common_kw)\n root.add('login', view=RamsesTicketAuthLoginView, **common_kw)\n root.add('logout', view=RamsesTicketAuthLogoutView, **common_kw)\n return policy\n",
"role": "user"
},
{
"content": "setup_ticket_policy",
"role": "assistant"
}
] |
def x(config, params):
from nefertari.authentication.views import TokenAuthRegisterView, TokenAuthClaimView, TokenAuthResetView
log.info('Configuring ApiKey Authn policy')
auth_model = config.registry.auth_model
params['check'] = auth_model.get_groups_by_token
params['credentials_callback'] = auth_model.get_token_credentials
params['user_model'] = auth_model
config.add_request_method(auth_model.get_authuser_by_name, 'user',
reify=True)
policy = ApiKeyAuthenticationPolicy(**params)
RegisterViewBase = TokenAuthRegisterView
if config.registry.database_acls:
class RegisterViewBase(ACLAssignRegisterMixin, TokenAuthRegisterView):
pass
class RamsesTokenAuthRegisterView(RegisterViewBase):
Model = auth_model
class RamsesTokenAuthClaimView(TokenAuthClaimView):
Model = auth_model
class RamsesTokenAuthResetView(TokenAuthResetView):
Model = auth_model
common_kw = {'prefix': 'auth', 'factory': 'nefertari.acl.AuthenticationACL'
}
root = config.get_root_resource()
root.add('register', view=RamsesTokenAuthRegisterView, **common_kw)
root.add('token', view=RamsesTokenAuthClaimView, **common_kw)
root.add('reset_token', view=RamsesTokenAuthResetView, **common_kw)
return policy
| setup_apikey_policy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, params):\n from nefertari.authentication.views import TokenAuthRegisterView, TokenAuthClaimView, TokenAuthResetView\n log.info('Configuring ApiKey Authn policy')\n auth_model = config.registry.auth_model\n params['check'] = auth_model.get_groups_by_token\n params['credentials_callback'] = auth_model.get_token_credentials\n params['user_model'] = auth_model\n config.add_request_method(auth_model.get_authuser_by_name, 'user',\n reify=True)\n policy = ApiKeyAuthenticationPolicy(**params)\n RegisterViewBase = TokenAuthRegisterView\n if config.registry.database_acls:\n\n\n class RegisterViewBase(ACLAssignRegisterMixin, TokenAuthRegisterView):\n pass\n\n\n class RamsesTokenAuthRegisterView(RegisterViewBase):\n Model = auth_model\n\n\n class RamsesTokenAuthClaimView(TokenAuthClaimView):\n Model = auth_model\n\n\n class RamsesTokenAuthResetView(TokenAuthResetView):\n Model = auth_model\n common_kw = {'prefix': 'auth', 'factory': 'nefertari.acl.AuthenticationACL'\n }\n root = config.get_root_resource()\n root.add('register', view=RamsesTokenAuthRegisterView, **common_kw)\n root.add('token', view=RamsesTokenAuthClaimView, **common_kw)\n root.add('reset_token', view=RamsesTokenAuthResetView, **common_kw)\n return policy\n",
"role": "user"
},
{
"content": "setup_apikey_policy",
"role": "assistant"
}
] |
def x(config, raml_root):
log.info('Configuring auth policies')
secured_by_all = raml_root.secured_by or []
secured_by = [item for item in secured_by_all if item]
if not secured_by:
log.info('API is not secured. `secured_by` attribute value missing.')
return
secured_by = secured_by[0]
schemes = {scheme.name: scheme for scheme in raml_root.security_schemes}
if secured_by not in schemes:
raise ValueError('Undefined security scheme used in `secured_by`: {}'
.format(secured_by))
scheme = schemes[secured_by]
if scheme.type not in AUTHENTICATION_POLICIES:
raise ValueError('Unsupported security scheme type: {}'.format(
scheme.type))
policy_generator = AUTHENTICATION_POLICIES[scheme.type]
params = dictset(scheme.settings or {})
authn_policy = policy_generator(config, params)
config.set_authentication_policy(authn_policy)
authz_policy = ACLAuthorizationPolicy()
config.set_authorization_policy(authz_policy)
| setup_auth_policies | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, raml_root):\n log.info('Configuring auth policies')\n secured_by_all = raml_root.secured_by or []\n secured_by = [item for item in secured_by_all if item]\n if not secured_by:\n log.info('API is not secured. `secured_by` attribute value missing.')\n return\n secured_by = secured_by[0]\n schemes = {scheme.name: scheme for scheme in raml_root.security_schemes}\n if secured_by not in schemes:\n raise ValueError('Undefined security scheme used in `secured_by`: {}'\n .format(secured_by))\n scheme = schemes[secured_by]\n if scheme.type not in AUTHENTICATION_POLICIES:\n raise ValueError('Unsupported security scheme type: {}'.format(\n scheme.type))\n policy_generator = AUTHENTICATION_POLICIES[scheme.type]\n params = dictset(scheme.settings or {})\n authn_policy = policy_generator(config, params)\n config.set_authentication_policy(authn_policy)\n authz_policy = ACLAuthorizationPolicy()\n config.set_authorization_policy(authz_policy)\n",
"role": "user"
},
{
"content": "setup_auth_policies",
"role": "assistant"
}
] |
def x():
from nefertari.authentication.models import AuthUserMixin
from nefertari import engine
class AuthUser(AuthUserMixin, engine.BaseDocument):
__tablename__ = 'ramses_authuser'
return AuthUser
| get_authuser_model | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n from nefertari.authentication.models import AuthUserMixin\n from nefertari import engine\n\n\n class AuthUser(AuthUserMixin, engine.BaseDocument):\n __tablename__ = 'ramses_authuser'\n return AuthUser\n",
"role": "user"
},
{
"content": "get_authuser_model",
"role": "assistant"
}
] |
def x(perms):
if not isinstance(perms, (list, tuple)):
perms = [perms]
valid_perms = set(PERMISSIONS.values())
if ALL_PERMISSIONS in perms:
return perms
if set(perms) - valid_perms:
raise ValueError(
'Invalid ACL permission names. Valid permissions are: {}'.
format(', '.join(valid_perms)))
return perms
| validate_permissions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(perms):\n if not isinstance(perms, (list, tuple)):\n perms = [perms]\n valid_perms = set(PERMISSIONS.values())\n if ALL_PERMISSIONS in perms:\n return perms\n if set(perms) - valid_perms:\n raise ValueError(\n 'Invalid ACL permission names. Valid permissions are: {}'.\n format(', '.join(valid_perms)))\n return perms\n",
"role": "user"
},
{
"content": "validate_permissions",
"role": "assistant"
}
] |
def x(perms):
if isinstance(perms, six.string_types):
perms = perms.split(',')
perms = [perm.strip().lower() for perm in perms]
if 'all' in perms:
return ALL_PERMISSIONS
return validate_permissions(perms)
| parse_permissions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(perms):\n if isinstance(perms, six.string_types):\n perms = perms.split(',')\n perms = [perm.strip().lower() for perm in perms]\n if 'all' in perms:\n return ALL_PERMISSIONS\n return validate_permissions(perms)\n",
"role": "user"
},
{
"content": "parse_permissions",
"role": "assistant"
}
] |
def x(acl_string):
if not acl_string:
return [ALLOW_ALL]
aces_list = acl_string.replace('\n', ';').split(';')
aces_list = [ace.strip().split(' ', 2) for ace in aces_list if ace]
aces_list = [(a, b, c.split(',')) for a, b, c in aces_list]
result_acl = []
for action_str, princ_str, perms in aces_list:
action_str = action_str.strip().lower()
action = actions.get(action_str)
if action is None:
raise ValueError('Unknown ACL action: {}. Valid actions: {}'.
format(action_str, list(actions.keys())))
princ_str = princ_str.strip().lower()
if princ_str in special_principals:
principal = special_principals[princ_str]
elif is_callable_tag(princ_str):
principal = resolve_to_callable(princ_str)
else:
principal = princ_str
permissions = parse_permissions(perms)
result_acl.append((action, principal, permissions))
return result_acl
| parse_acl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(acl_string):\n if not acl_string:\n return [ALLOW_ALL]\n aces_list = acl_string.replace('\\n', ';').split(';')\n aces_list = [ace.strip().split(' ', 2) for ace in aces_list if ace]\n aces_list = [(a, b, c.split(',')) for a, b, c in aces_list]\n result_acl = []\n for action_str, princ_str, perms in aces_list:\n action_str = action_str.strip().lower()\n action = actions.get(action_str)\n if action is None:\n raise ValueError('Unknown ACL action: {}. Valid actions: {}'.\n format(action_str, list(actions.keys())))\n princ_str = princ_str.strip().lower()\n if princ_str in special_principals:\n principal = special_principals[princ_str]\n elif is_callable_tag(princ_str):\n principal = resolve_to_callable(princ_str)\n else:\n principal = princ_str\n permissions = parse_permissions(perms)\n result_acl.append((action, principal, permissions))\n return result_acl\n",
"role": "user"
},
{
"content": "parse_acl",
"role": "assistant"
}
] |
def x(config, model_cls, raml_resource, es_based=True):
schemes = raml_resource.security_schemes or []
schemes = [sch for sch in schemes if sch.type == 'x-ACL']
if not schemes:
collection_acl = item_acl = []
log.debug('No ACL scheme applied. Using ACL: {}'.format(item_acl))
else:
sec_scheme = schemes[0]
log.debug('{} ACL scheme applied'.format(sec_scheme.name))
settings = sec_scheme.settings or {}
collection_acl = parse_acl(acl_string=settings.get('collection'))
item_acl = parse_acl(acl_string=settings.get('item'))
class GeneratedACLBase(object):
item_model = model_cls
def x(self, request, es_based=es_based):
super(GeneratedACLBase, self).__init__(request=request)
self.es_based = es_based
self._collection_acl = collection_acl
self._item_acl = item_acl
bases = [GeneratedACLBase]
if config.registry.database_acls:
from nefertari_guards.acl import DatabaseACLMixin as GuardsMixin
bases += [DatabaseACLMixin, GuardsMixin]
bases.append(BaseACL)
return type('GeneratedACL', tuple(bases), {})
| generate_acl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, model_cls, raml_resource, es_based=True):\n schemes = raml_resource.security_schemes or []\n schemes = [sch for sch in schemes if sch.type == 'x-ACL']\n if not schemes:\n collection_acl = item_acl = []\n log.debug('No ACL scheme applied. Using ACL: {}'.format(item_acl))\n else:\n sec_scheme = schemes[0]\n log.debug('{} ACL scheme applied'.format(sec_scheme.name))\n settings = sec_scheme.settings or {}\n collection_acl = parse_acl(acl_string=settings.get('collection'))\n item_acl = parse_acl(acl_string=settings.get('item'))\n\n\n class GeneratedACLBase(object):\n item_model = model_cls\n\n def x(self, request, es_based=es_based):\n super(GeneratedACLBase, self).__init__(request=request)\n self.es_based = es_based\n self._collection_acl = collection_acl\n self._item_acl = item_acl\n bases = [GeneratedACLBase]\n if config.registry.database_acls:\n from nefertari_guards.acl import DatabaseACLMixin as GuardsMixin\n bases += [DatabaseACLMixin, GuardsMixin]\n bases.append(BaseACL)\n return type('GeneratedACL', tuple(bases), {})\n",
"role": "user"
},
{
"content": "generate_acl",
"role": "assistant"
}
] |
def x(self, acl, obj=None):
new_acl = []
for i, ace in enumerate(acl):
principal = ace[1]
if six.callable(principal):
ace = principal(ace=ace, request=self.request, obj=obj)
if not ace:
continue
if not isinstance(ace[0], (list, tuple)):
ace = [ace]
ace = [(a, b, validate_permissions(c)) for a, b, c in ace]
else:
ace = [ace]
new_acl += ace
return tuple(new_acl)
| apply_callables | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, acl, obj=None):\n new_acl = []\n for i, ace in enumerate(acl):\n principal = ace[1]\n if six.callable(principal):\n ace = principal(ace=ace, request=self.request, obj=obj)\n if not ace:\n continue\n if not isinstance(ace[0], (list, tuple)):\n ace = [ace]\n ace = [(a, b, validate_permissions(c)) for a, b, c in ace]\n else:\n ace = [ace]\n new_acl += ace\n return tuple(new_acl)\n",
"role": "user"
},
{
"content": "apply_callables",
"role": "assistant"
}
] |
def x(self, item):
if self.es_based:
from nefertari_guards.elasticsearch import get_es_item_acl
return get_es_item_acl(item)
return super(DatabaseACLMixin, self).item_acl(item)
| item_acl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item):\n if self.es_based:\n from nefertari_guards.elasticsearch import get_es_item_acl\n return get_es_item_acl(item)\n return super(DatabaseACLMixin, self).item_acl(item)\n",
"role": "user"
},
{
"content": "item_acl",
"role": "assistant"
}
] |
def x(self, key):
from nefertari_guards.elasticsearch import ACLFilterES
es = ACLFilterES(self.item_model.__name__)
params = {'id': key, 'request': self.request}
obj = es.get_item(**params)
obj.__acl__ = self.item_acl(obj)
obj.__parent__ = self
obj.__name__ = key
return obj
| getitem_es | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n from nefertari_guards.elasticsearch import ACLFilterES\n es = ACLFilterES(self.item_model.__name__)\n params = {'id': key, 'request': self.request}\n obj = es.get_item(**params)\n obj.__acl__ = self.item_acl(obj)\n obj.__parent__ = self\n obj.__name__ = key\n return obj\n",
"role": "user"
},
{
"content": "getitem_es",
"role": "assistant"
}
] |
def x(raml_schema, mime_type):
if mime_type == ContentTypes.JSON:
if not isinstance(raml_schema, dict):
raise TypeError(
'Schema is not a valid JSON. Please check your schema syntax.\n{}...'
.format(str(raml_schema)[:60]))
return raml_schema
if mime_type == ContentTypes.TEXT_XML:
pass
| convert_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raml_schema, mime_type):\n if mime_type == ContentTypes.JSON:\n if not isinstance(raml_schema, dict):\n raise TypeError(\n 'Schema is not a valid JSON. Please check your schema syntax.\\n{}...'\n .format(str(raml_schema)[:60]))\n return raml_schema\n if mime_type == ContentTypes.TEXT_XML:\n pass\n",
"role": "user"
},
{
"content": "convert_schema",
"role": "assistant"
}
] |
def x(raml_resource):
resource_uri = get_resource_uri(raml_resource).strip('/')
resource_uri = re.sub('\\W', ' ', resource_uri)
model_name = inflection.titleize(resource_uri)
return inflection.singularize(model_name).replace(' ', '')
| generate_model_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raml_resource):\n resource_uri = get_resource_uri(raml_resource).strip('/')\n resource_uri = re.sub('\\\\W', ' ', resource_uri)\n model_name = inflection.titleize(resource_uri)\n return inflection.singularize(model_name).replace(' ', '')\n",
"role": "user"
},
{
"content": "generate_model_name",
"role": "assistant"
}
] |
def x(raml_resource, route_name, pk_field):
subresources = get_resource_children(raml_resource)
dynamic_uris = [res.path for res in subresources if is_dynamic_uri(res.
path)]
if dynamic_uris:
dynamic_part = extract_dynamic_part(dynamic_uris[0])
else:
dynamic_part = pk_field
return '_'.join([route_name, dynamic_part])
| dynamic_part_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raml_resource, route_name, pk_field):\n subresources = get_resource_children(raml_resource)\n dynamic_uris = [res.path for res in subresources if is_dynamic_uri(res.\n path)]\n if dynamic_uris:\n dynamic_part = extract_dynamic_part(dynamic_uris[0])\n else:\n dynamic_part = pk_field\n return '_'.join([route_name, dynamic_part])\n",
"role": "user"
},
{
"content": "dynamic_part_name",
"role": "assistant"
}
] |
def x(uri):
for part in uri.split('/'):
part = part.strip()
if part.startswith('{') and part.endswith('}'):
return clean_dynamic_uri(part)
| extract_dynamic_part | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(uri):\n for part in uri.split('/'):\n part = part.strip()\n if part.startswith('{') and part.endswith('}'):\n return clean_dynamic_uri(part)\n",
"role": "user"
},
{
"content": "extract_dynamic_part",
"role": "assistant"
}
] |
def x(raml_resource, singular=False):
from .views import collection_methods, item_methods
if singular:
collection_methods = item_methods
siblings = get_resource_siblings(raml_resource)
http_methods = [sibl.method.lower() for sibl in siblings]
attrs = [collection_methods.get(method) for method in http_methods]
children = get_resource_children(raml_resource)
http_submethods = [child.method.lower() for child in children if
is_dynamic_uri(child.path)]
attrs += [item_methods.get(method) for method in http_submethods]
return set(filter(bool, attrs))
| resource_view_attrs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raml_resource, singular=False):\n from .views import collection_methods, item_methods\n if singular:\n collection_methods = item_methods\n siblings = get_resource_siblings(raml_resource)\n http_methods = [sibl.method.lower() for sibl in siblings]\n attrs = [collection_methods.get(method) for method in http_methods]\n children = get_resource_children(raml_resource)\n http_submethods = [child.method.lower() for child in children if\n is_dynamic_uri(child.path)]\n attrs += [item_methods.get(method) for method in http_submethods]\n return set(filter(bool, attrs))\n",
"role": "user"
},
{
"content": "resource_view_attrs",
"role": "assistant"
}
] |
def x(raml_resource):
log.info('Searching for model schema')
if not raml_resource.body:
raise ValueError(
'RAML resource has no body to setup database schema from')
for body in raml_resource.body:
if body.schema:
return convert_schema(body.schema, body.mime_type)
log.debug('No model schema found.')
| resource_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raml_resource):\n log.info('Searching for model schema')\n if not raml_resource.body:\n raise ValueError(\n 'RAML resource has no body to setup database schema from')\n for body in raml_resource.body:\n if body.schema:\n return convert_schema(body.schema, body.mime_type)\n log.debug('No model schema found.')\n",
"role": "user"
},
{
"content": "resource_schema",
"role": "assistant"
}
] |
def x(raml_resource, method=None):
parent = raml_resource.parent
while is_dynamic_resource(parent):
parent = parent.parent
if parent is None:
return parent
match_method = method is not None
if match_method:
if parent.method.upper() == method.upper():
return parent
else:
return parent
for res in parent.root.resources:
if res.path == parent.path:
if res.method.upper() == method.upper():
return res
| get_static_parent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raml_resource, method=None):\n parent = raml_resource.parent\n while is_dynamic_resource(parent):\n parent = parent.parent\n if parent is None:\n return parent\n match_method = method is not None\n if match_method:\n if parent.method.upper() == method.upper():\n return parent\n else:\n return parent\n for res in parent.root.resources:\n if res.path == parent.path:\n if res.method.upper() == method.upper():\n return res\n",
"role": "user"
},
{
"content": "get_static_parent",
"role": "assistant"
}
] |
def x(raml_resource, route_name):
static_parent = get_static_parent(raml_resource, method='POST')
if static_parent is None:
return False
schema = resource_schema(static_parent) or {}
properties = schema.get('properties', {})
if route_name in properties:
db_settings = properties[route_name].get('_db_settings', {})
return db_settings.get('type') in ('dict', 'list')
return False
| attr_subresource | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raml_resource, route_name):\n static_parent = get_static_parent(raml_resource, method='POST')\n if static_parent is None:\n return False\n schema = resource_schema(static_parent) or {}\n properties = schema.get('properties', {})\n if route_name in properties:\n db_settings = properties[route_name].get('_db_settings', {})\n return db_settings.get('type') in ('dict', 'list')\n return False\n",
"role": "user"
},
{
"content": "attr_subresource",
"role": "assistant"
}
] |
def x(raml_resource, route_name):
static_parent = get_static_parent(raml_resource, method='POST')
if static_parent is None:
return False
schema = resource_schema(static_parent) or {}
properties = schema.get('properties', {})
if route_name not in properties:
return False
db_settings = properties[route_name].get('_db_settings', {})
is_obj = db_settings.get('type') == 'relationship'
single_obj = not db_settings.get('uselist', True)
return is_obj and single_obj
| singular_subresource | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raml_resource, route_name):\n static_parent = get_static_parent(raml_resource, method='POST')\n if static_parent is None:\n return False\n schema = resource_schema(static_parent) or {}\n properties = schema.get('properties', {})\n if route_name not in properties:\n return False\n db_settings = properties[route_name].get('_db_settings', {})\n is_obj = db_settings.get('type') == 'relationship'\n single_obj = not db_settings.get('uselist', True)\n return is_obj and single_obj\n",
"role": "user"
},
{
"content": "singular_subresource",
"role": "assistant"
}
] |
def x(tag):
return isinstance(tag, six.string_types) and tag.strip().startswith('{{'
) and tag.strip().endswith('}}')
| is_callable_tag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tag):\n return isinstance(tag, six.string_types) and tag.strip().startswith('{{'\n ) and tag.strip().endswith('}}')\n",
"role": "user"
},
{
"content": "is_callable_tag",
"role": "assistant"
}
] |
def x(callable_name):
from . import registry
clean_callable_name = callable_name.replace('{{', '').replace('}}', ''
).strip()
try:
return registry.get(clean_callable_name)
except KeyError:
try:
from zope.dottedname.resolve import resolve
return resolve(clean_callable_name)
except ImportError:
raise ImportError('Failed to load callable `{}`'.format(
clean_callable_name))
| resolve_to_callable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(callable_name):\n from . import registry\n clean_callable_name = callable_name.replace('{{', '').replace('}}', ''\n ).strip()\n try:\n return registry.get(clean_callable_name)\n except KeyError:\n try:\n from zope.dottedname.resolve import resolve\n return resolve(clean_callable_name)\n except ImportError:\n raise ImportError('Failed to load callable `{}`'.format(\n clean_callable_name))\n",
"role": "user"
},
{
"content": "resolve_to_callable",
"role": "assistant"
}
] |
def x(raml_resource):
path = raml_resource.path
return [res for res in raml_resource.root.resources if res.path == path]
| get_resource_siblings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raml_resource):\n path = raml_resource.path\n return [res for res in raml_resource.root.resources if res.path == path]\n",
"role": "user"
},
{
"content": "get_resource_siblings",
"role": "assistant"
}
] |
def x(raml_resource):
path = raml_resource.path
return [res for res in raml_resource.root.resources if res.parent and
res.parent.path == path]
| get_resource_children | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raml_resource):\n path = raml_resource.path\n return [res for res in raml_resource.root.resources if res.parent and \n res.parent.path == path]\n",
"role": "user"
},
{
"content": "get_resource_children",
"role": "assistant"
}
] |
def x():
from nefertari import events
set_keys = 'create', 'update', 'replace', 'update_many', 'register'
before_events = events.BEFORE_EVENTS.copy()
before_events['set'] = [before_events[key] for key in set_keys]
after_events = events.AFTER_EVENTS.copy()
after_events['set'] = [after_events[key] for key in set_keys]
return {'before': before_events, 'after': after_events}
| get_events_map | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n from nefertari import events\n set_keys = 'create', 'update', 'replace', 'update_many', 'register'\n before_events = events.BEFORE_EVENTS.copy()\n before_events['set'] = [before_events[key] for key in set_keys]\n after_events = events.AFTER_EVENTS.copy()\n after_events['set'] = [after_events[key] for key in set_keys]\n return {'before': before_events, 'after': after_events}\n",
"role": "user"
},
{
"content": "get_events_map",
"role": "assistant"
}
] |
def x(view_cls, model_cls):
original_model = view_cls.Model
view_cls.Model = model_cls
try:
yield
finally:
view_cls.Model = original_model
| patch_view_model | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(view_cls, model_cls):\n original_model = view_cls.Model\n view_cls.Model = model_cls\n try:\n yield\n finally:\n view_cls.Model = original_model\n",
"role": "user"
},
{
"content": "patch_view_model",
"role": "assistant"
}
] |
def x(resource_uri):
resource_uri = resource_uri.strip('/')
resource_uri = re.sub('\\W', '', resource_uri)
return resource_uri
| get_route_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(resource_uri):\n resource_uri = resource_uri.strip('/')\n resource_uri = re.sub('\\\\W', '', resource_uri)\n return resource_uri\n",
"role": "user"
},
{
"content": "get_route_name",
"role": "assistant"
}
] |
def x(config, raml_resource, parent_resource):
from .models import get_existing_model
resource_uri = get_resource_uri(raml_resource)
if is_dynamic_uri(resource_uri):
if parent_resource.is_root:
raise Exception(
"Top-level resources can't be dynamic and must represent collections instead"
)
return
route_name = get_route_name(resource_uri)
log.info('Configuring resource: `{}`. Parent: `{}`'.format(route_name,
parent_resource.uid or 'root'))
is_singular = singular_subresource(raml_resource, route_name)
is_attr_res = attr_subresource(raml_resource, route_name)
if not parent_resource.is_root and (is_attr_res or is_singular):
model_cls = parent_resource.view.Model
else:
model_name = generate_model_name(raml_resource)
model_cls = get_existing_model(model_name)
resource_kwargs = {}
log.info('Generating ACL for `{}`'.format(route_name))
resource_kwargs['factory'] = generate_acl(config, model_cls=model_cls,
raml_resource=raml_resource)
if not is_singular:
resource_kwargs['id_name'] = dynamic_part_name(raml_resource=
raml_resource, route_name=route_name, pk_field=model_cls.pk_field()
)
log.info('Generating view for `{}`'.format(route_name))
view_attrs = resource_view_attrs(raml_resource, is_singular)
resource_kwargs['view'] = generate_rest_view(config, model_cls=
model_cls, attrs=view_attrs, attr_view=is_attr_res, singular=
is_singular)
if is_singular:
model_name = generate_model_name(raml_resource)
view_cls = resource_kwargs['view']
view_cls._parent_model = view_cls.Model
view_cls.Model = get_existing_model(model_name)
log.info('Creating new resource for `{}`'.format(route_name))
clean_uri = resource_uri.strip('/')
resource_args = singularize(clean_uri),
if not is_singular:
resource_args += clean_uri,
return parent_resource.add(*resource_args, **resource_kwargs)
| generate_resource | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, raml_resource, parent_resource):\n from .models import get_existing_model\n resource_uri = get_resource_uri(raml_resource)\n if is_dynamic_uri(resource_uri):\n if parent_resource.is_root:\n raise Exception(\n \"Top-level resources can't be dynamic and must represent collections instead\"\n )\n return\n route_name = get_route_name(resource_uri)\n log.info('Configuring resource: `{}`. Parent: `{}`'.format(route_name, \n parent_resource.uid or 'root'))\n is_singular = singular_subresource(raml_resource, route_name)\n is_attr_res = attr_subresource(raml_resource, route_name)\n if not parent_resource.is_root and (is_attr_res or is_singular):\n model_cls = parent_resource.view.Model\n else:\n model_name = generate_model_name(raml_resource)\n model_cls = get_existing_model(model_name)\n resource_kwargs = {}\n log.info('Generating ACL for `{}`'.format(route_name))\n resource_kwargs['factory'] = generate_acl(config, model_cls=model_cls,\n raml_resource=raml_resource)\n if not is_singular:\n resource_kwargs['id_name'] = dynamic_part_name(raml_resource=\n raml_resource, route_name=route_name, pk_field=model_cls.pk_field()\n )\n log.info('Generating view for `{}`'.format(route_name))\n view_attrs = resource_view_attrs(raml_resource, is_singular)\n resource_kwargs['view'] = generate_rest_view(config, model_cls=\n model_cls, attrs=view_attrs, attr_view=is_attr_res, singular=\n is_singular)\n if is_singular:\n model_name = generate_model_name(raml_resource)\n view_cls = resource_kwargs['view']\n view_cls._parent_model = view_cls.Model\n view_cls.Model = get_existing_model(model_name)\n log.info('Creating new resource for `{}`'.format(route_name))\n clean_uri = resource_uri.strip('/')\n resource_args = singularize(clean_uri),\n if not is_singular:\n resource_args += clean_uri,\n return parent_resource.add(*resource_args, **resource_kwargs)\n",
"role": "user"
},
{
"content": "generate_resource",
"role": "assistant"
}
] |
def x(raml_root, config):
log.info('Server generation started')
if not raml_root.resources:
return
root_resource = config.get_root_resource()
generated_resources = {}
for raml_resource in raml_root.resources:
if raml_resource.path in generated_resources:
continue
parent_resource = _get_nefertari_parent_resource(raml_resource,
generated_resources, root_resource)
new_resource = generate_resource(config, raml_resource, parent_resource
)
if new_resource is not None:
generated_resources[raml_resource.path] = new_resource
| generate_server | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raml_root, config):\n log.info('Server generation started')\n if not raml_root.resources:\n return\n root_resource = config.get_root_resource()\n generated_resources = {}\n for raml_resource in raml_root.resources:\n if raml_resource.path in generated_resources:\n continue\n parent_resource = _get_nefertari_parent_resource(raml_resource,\n generated_resources, root_resource)\n new_resource = generate_resource(config, raml_resource, parent_resource\n )\n if new_resource is not None:\n generated_resources[raml_resource.path] = new_resource\n",
"role": "user"
},
{
"content": "generate_server",
"role": "assistant"
}
] |
def x(config, raml_resources):
from .models import handle_model_generation
if not raml_resources:
return
for raml_resource in raml_resources:
if is_dynamic_uri(raml_resource.path):
continue
if raml_resource.method.upper() != 'POST':
continue
resource_uri = get_resource_uri(raml_resource)
route_name = get_route_name(resource_uri)
if not attr_subresource(raml_resource, route_name):
log.info('Configuring model for route `{}`'.format(route_name))
model_cls, is_auth_model = handle_model_generation(config,
raml_resource)
if is_auth_model:
config.registry.auth_model = model_cls
| generate_models | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, raml_resources):\n from .models import handle_model_generation\n if not raml_resources:\n return\n for raml_resource in raml_resources:\n if is_dynamic_uri(raml_resource.path):\n continue\n if raml_resource.method.upper() != 'POST':\n continue\n resource_uri = get_resource_uri(raml_resource)\n route_name = get_route_name(resource_uri)\n if not attr_subresource(raml_resource, route_name):\n log.info('Configuring model for route `{}`'.format(route_name))\n model_cls, is_auth_model = handle_model_generation(config,\n raml_resource)\n if is_auth_model:\n config.registry.auth_model = model_cls\n",
"role": "user"
},
{
"content": "generate_models",
"role": "assistant"
}
] |
def x(config, model_cls, attrs=None, es_based=True, attr_view=False,
singular=False):
valid_attrs = list(collection_methods.values()) + list(item_methods.
values())
missing_attrs = set(valid_attrs) - set(attrs)
if singular:
bases = [ItemSingularView]
elif attr_view:
bases = [ItemAttributeView]
elif es_based:
bases = [ESCollectionView]
else:
bases = [CollectionView]
if config.registry.database_acls:
from nefertari_guards.view import ACLFilterViewMixin
bases = [SetObjectACLMixin] + bases + [ACLFilterViewMixin]
bases.append(NefertariBaseView)
RESTView = type('RESTView', tuple(bases), {'Model': model_cls})
def x(*args, **kwargs):
raise AttributeError
for attr in missing_attrs:
setattr(RESTView, attr, property(_attr_error))
return RESTView
| generate_rest_view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, model_cls, attrs=None, es_based=True, attr_view=False,\n singular=False):\n valid_attrs = list(collection_methods.values()) + list(item_methods.\n values())\n missing_attrs = set(valid_attrs) - set(attrs)\n if singular:\n bases = [ItemSingularView]\n elif attr_view:\n bases = [ItemAttributeView]\n elif es_based:\n bases = [ESCollectionView]\n else:\n bases = [CollectionView]\n if config.registry.database_acls:\n from nefertari_guards.view import ACLFilterViewMixin\n bases = [SetObjectACLMixin] + bases + [ACLFilterViewMixin]\n bases.append(NefertariBaseView)\n RESTView = type('RESTView', tuple(bases), {'Model': model_cls})\n\n def x(*args, **kwargs):\n raise AttributeError\n for attr in missing_attrs:\n setattr(RESTView, attr, property(_attr_error))\n return RESTView\n",
"role": "user"
},
{
"content": "generate_rest_view",
"role": "assistant"
}
] |
def x(self, obj):
if not obj._acl:
from nefertari_guards import engine as guards_engine
acl = self._factory(self.request).generate_item_acl(obj)
obj._acl = guards_engine.ACLField.stringify_acl(acl)
| set_object_acl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n if not obj._acl:\n from nefertari_guards import engine as guards_engine\n acl = self._factory(self.request).generate_item_acl(obj)\n obj._acl = guards_engine.ACLField.stringify_acl(acl)\n",
"role": "user"
},
{
"content": "set_object_acl",
"role": "assistant"
}
] |
def x(self, kwargs):
resolved = {}
for key, value in kwargs.items():
split = key.split('_', 1)
if len(split) > 1:
key = split[1]
resolved[key] = value
return resolved
| resolve_kw | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, kwargs):\n resolved = {}\n for key, value in kwargs.items():\n split = key.split('_', 1)\n if len(split) > 1:\n key = split[1]\n resolved[key] = value\n return resolved\n",
"role": "user"
},
{
"content": "resolve_kw",
"role": "assistant"
}
] |
def x(self, obj):
field_name = self.clean_id_name
return self.request.route_url(self._resource.uid, **{self._resource.
id_name: getattr(obj, field_name)})
| location | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n field_name = self.clean_id_name\n return self.request.route_url(self._resource.uid, **{self._resource.\n id_name: getattr(obj, field_name)})\n",
"role": "user"
},
{
"content": "location",
"role": "assistant"
}
] |
def x(self):
parent = self._resource.parent
if hasattr(parent, 'view'):
req = self.request.blank(self.request.path)
req.registry = self.request.registry
req.matchdict = {parent.id_name: self.request.matchdict.get(parent.
id_name)}
parent_view = parent.view(parent.view._factory, req)
obj = parent_view.get_item(**req.matchdict)
if isinstance(self, ItemSubresourceBaseView):
return
prop = self._resource.collection_name
return getattr(obj, prop, None)
| parent_queryset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n parent = self._resource.parent\n if hasattr(parent, 'view'):\n req = self.request.blank(self.request.path)\n req.registry = self.request.registry\n req.matchdict = {parent.id_name: self.request.matchdict.get(parent.\n id_name)}\n parent_view = parent.view(parent.view._factory, req)\n obj = parent_view.get_item(**req.matchdict)\n if isinstance(self, ItemSubresourceBaseView):\n return\n prop = self._resource.collection_name\n return getattr(obj, prop, None)\n",
"role": "user"
},
{
"content": "parent_queryset",
"role": "assistant"
}
] |
def x(self, **kwargs):
self._query_params.update(kwargs)
objects = self._parent_queryset()
if objects is not None:
return self.Model.filter_objects(objects, **self._query_params)
return self.Model.get_collection(**self._query_params)
| get_collection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n self._query_params.update(kwargs)\n objects = self._parent_queryset()\n if objects is not None:\n return self.Model.filter_objects(objects, **self._query_params)\n return self.Model.get_collection(**self._query_params)\n",
"role": "user"
},
{
"content": "get_collection",
"role": "assistant"
}
] |
def x(self, **kwargs):
if six.callable(self.context):
self.reload_context(es_based=False, **kwargs)
objects = self._parent_queryset()
if objects is not None and self.context not in objects:
raise JHTTPNotFound('{}({}) not found'.format(self.Model.__name__,
self._get_context_key(**kwargs)))
return self.context
| get_item | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n if six.callable(self.context):\n self.reload_context(es_based=False, **kwargs)\n objects = self._parent_queryset()\n if objects is not None and self.context not in objects:\n raise JHTTPNotFound('{}({}) not found'.format(self.Model.__name__,\n self._get_context_key(**kwargs)))\n return self.context\n",
"role": "user"
},
{
"content": "get_item",
"role": "assistant"
}
] |
def x(self, es_based, **kwargs):
from .acl import BaseACL
key = self._get_context_key(**kwargs)
kwargs = {'request': self.request}
if issubclass(self._factory, BaseACL):
kwargs['es_based'] = es_based
acl = self._factory(**kwargs)
if acl.item_model is None:
acl.item_model = self.Model
self.context = acl[key]
| reload_context | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, es_based, **kwargs):\n from .acl import BaseACL\n key = self._get_context_key(**kwargs)\n kwargs = {'request': self.request}\n if issubclass(self._factory, BaseACL):\n kwargs['es_based'] = es_based\n acl = self._factory(**kwargs)\n if acl.item_model is None:\n acl.item_model = self.Model\n self.context = acl[key]\n",
"role": "user"
},
{
"content": "reload_context",
"role": "assistant"
}
] |
def x(self):
parent = self._resource.parent
if hasattr(parent, 'view'):
req = self.request.blank(self.request.path)
req.registry = self.request.registry
req.matchdict = {parent.id_name: self.request.matchdict.get(parent.
id_name)}
parent_view = parent.view(parent.view._factory, req)
obj = parent_view.get_item_es(**req.matchdict)
prop = self._resource.collection_name
objects_ids = getattr(obj, prop, None)
return objects_ids
| parent_queryset_es | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n parent = self._resource.parent\n if hasattr(parent, 'view'):\n req = self.request.blank(self.request.path)\n req.registry = self.request.registry\n req.matchdict = {parent.id_name: self.request.matchdict.get(parent.\n id_name)}\n parent_view = parent.view(parent.view._factory, req)\n obj = parent_view.get_item_es(**req.matchdict)\n prop = self._resource.collection_name\n objects_ids = getattr(obj, prop, None)\n return objects_ids\n",
"role": "user"
},
{
"content": "parent_queryset_es",
"role": "assistant"
}
] |
def x(self, objects):
id_field = self.clean_id_name
ids = [getattr(obj, id_field, obj) for obj in objects]
return list(set(str(id_) for id_ in ids))
| get_es_object_ids | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, objects):\n id_field = self.clean_id_name\n ids = [getattr(obj, id_field, obj) for obj in objects]\n return list(set(str(id_) for id_ in ids))\n",
"role": "user"
},
{
"content": "get_es_object_ids",
"role": "assistant"
}
] |
def x(self):
objects_ids = self._parent_queryset_es()
if objects_ids is not None:
objects_ids = self.get_es_object_ids(objects_ids)
if not objects_ids:
return []
self._query_params['id'] = objects_ids
return super(ESBaseView, self).get_collection_es()
| get_collection_es | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n objects_ids = self._parent_queryset_es()\n if objects_ids is not None:\n objects_ids = self.get_es_object_ids(objects_ids)\n if not objects_ids:\n return []\n self._query_params['id'] = objects_ids\n return super(ESBaseView, self).get_collection_es()\n",
"role": "user"
},
{
"content": "get_collection_es",
"role": "assistant"
}
] |
def x(self, **kwargs):
item_id = self._get_context_key(**kwargs)
objects_ids = self._parent_queryset_es()
if objects_ids is not None:
objects_ids = self.get_es_object_ids(objects_ids)
if six.callable(self.context):
self.reload_context(es_based=True, **kwargs)
if objects_ids is not None and item_id not in objects_ids:
raise JHTTPNotFound('{}(id={}) resource not found'.format(self.
Model.__name__, item_id))
return self.context
| get_item_es | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n item_id = self._get_context_key(**kwargs)\n objects_ids = self._parent_queryset_es()\n if objects_ids is not None:\n objects_ids = self.get_es_object_ids(objects_ids)\n if six.callable(self.context):\n self.reload_context(es_based=True, **kwargs)\n if objects_ids is not None and item_id not in objects_ids:\n raise JHTTPNotFound('{}(id={}) resource not found'.format(self.\n Model.__name__, item_id))\n return self.context\n",
"role": "user"
},
{
"content": "get_item_es",
"role": "assistant"
}
] |
def x(self, **kwargs):
self.reload_context(es_based=False, **kwargs)
return super(ESCollectionView, self).update(**kwargs)
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n self.reload_context(es_based=False, **kwargs)\n return super(ESCollectionView, self).update(**kwargs)\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, **kwargs):
self.reload_context(es_based=False, **kwargs)
return super(ESCollectionView, self).delete(**kwargs)
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n self.reload_context(es_based=False, **kwargs)\n return super(ESCollectionView, self).delete(**kwargs)\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, **kwargs):
es_objects = self.get_collection_es()
db_objects = self.Model.filter_objects(es_objects)
return db_objects
| get_dbcollection_with_es | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n es_objects = self.get_collection_es()\n db_objects = self.Model.filter_objects(es_objects)\n return db_objects\n",
"role": "user"
},
{
"content": "get_dbcollection_with_es",
"role": "assistant"
}
] |
def x(self, **kwargs):
db_objects = self.get_dbcollection_with_es(**kwargs)
return self.Model._delete_many(db_objects, self.request)
| delete_many | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n db_objects = self.get_dbcollection_with_es(**kwargs)\n return self.Model._delete_many(db_objects, self.request)\n",
"role": "user"
},
{
"content": "delete_many",
"role": "assistant"
}
] |
def x(self, **kwargs):
db_objects = self.get_dbcollection_with_es(**kwargs)
return self.Model._update_many(db_objects, self._json_params, self.request)
| update_many | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n db_objects = self.get_dbcollection_with_es(**kwargs)\n return self.Model._update_many(db_objects, self._json_params, self.request)\n",
"role": "user"
},
{
"content": "update_many",
"role": "assistant"
}
] |
def x(self, **kwargs):
return str(kwargs.get(self._resource.parent.id_name))
| get_context_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n return str(kwargs.get(self._resource.parent.id_name))\n",
"role": "user"
},
{
"content": "get_context_key",
"role": "assistant"
}
] |
def x(self, **kwargs):
self.reload_context(es_based=False, **kwargs)
return super(ItemSubresourceBaseView, self).get_item(**kwargs)
| get_item | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n self.reload_context(es_based=False, **kwargs)\n return super(ItemSubresourceBaseView, self).get_item(**kwargs)\n",
"role": "user"
},
{
"content": "get_item",
"role": "assistant"
}
] |
def x(app):
import sphinxcontrib_django.docstrings
import sphinxcontrib_django.roles
sphinxcontrib_django.docstrings.setup(app)
sphinxcontrib_django.roles.setup(app)
| setup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app):\n import sphinxcontrib_django.docstrings\n import sphinxcontrib_django.roles\n sphinxcontrib_django.docstrings.setup(app)\n sphinxcontrib_django.roles.setup(app)\n",
"role": "user"
},
{
"content": "setup",
"role": "assistant"
}
] |
def x():
ManagerDescriptor.__get__ = lambda self, *args, **kwargs: self.manager
models.QuerySet.__repr__ = lambda self: self.__class__.__name__
| patch_django_for_autodoc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n ManagerDescriptor.__get__ = lambda self, *args, **kwargs: self.manager\n models.QuerySet.__repr__ = lambda self: self.__class__.__name__\n",
"role": "user"
},
{
"content": "patch_django_for_autodoc",
"role": "assistant"
}
] |
def x(app):
from .patches import patch_django_for_autodoc
patch_django_for_autodoc()
app.connect('autodoc-process-docstring', improve_model_docstring)
app.connect('autodoc-skip-member', autodoc_skip)
| setup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app):\n from .patches import patch_django_for_autodoc\n patch_django_for_autodoc()\n app.connect('autodoc-process-docstring', improve_model_docstring)\n app.connect('autodoc-skip-member', autodoc_skip)\n",
"role": "user"
},
{
"content": "setup",
"role": "assistant"
}
] |
def x(app, what, name, obj, skip, options):
if name in config.EXCLUDE_MEMBERS:
return True
if name in config.INCLUDE_MEMBERS:
return False
return skip
| autodoc_skip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app, what, name, obj, skip, options):\n if name in config.EXCLUDE_MEMBERS:\n return True\n if name in config.INCLUDE_MEMBERS:\n return False\n return skip\n",
"role": "user"
},
{
"content": "autodoc_skip",
"role": "assistant"
}
] |
def x(app, what, name, obj, options, lines):
if what == 'class':
_improve_class_docs(app, obj, lines)
elif what == 'attribute':
_improve_attribute_docs(obj, name, lines)
elif what == 'method':
_improve_method_docs(obj, name, lines)
return lines
| improve_model_docstring | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app, what, name, obj, options, lines):\n if what == 'class':\n _improve_class_docs(app, obj, lines)\n elif what == 'attribute':\n _improve_attribute_docs(obj, name, lines)\n elif what == 'method':\n _improve_method_docs(obj, name, lines)\n return lines\n",
"role": "user"
},
{
"content": "improve_model_docstring",
"role": "assistant"
}
] |
def x(app, cls, lines):
if issubclass(cls, models.Model):
_add_model_fields_as_params(app, cls, lines)
elif issubclass(cls, forms.Form):
_add_form_fields(cls, lines)
| improve_class_docs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app, cls, lines):\n if issubclass(cls, models.Model):\n _add_model_fields_as_params(app, cls, lines)\n elif issubclass(cls, forms.Form):\n _add_form_fields(cls, lines)\n",
"role": "user"
},
{
"content": "improve_class_docs",
"role": "assistant"
}
] |
def x(app, obj, lines):
for field in obj._meta.get_fields():
try:
help_text = strip_tags(force_text(field.help_text))
verbose_name = force_text(field.verbose_name).capitalize()
except AttributeError:
continue
if help_text:
lines.append(u':param %s: %s' % (field.name, help_text))
else:
lines.append(u':param %s: %s' % (field.name, verbose_name))
lines.append(_get_field_type(field))
if ('sphinx.ext.inheritance_diagram' in app.extensions and
'sphinx.ext.graphviz' in app.extensions and not any(
'inheritance-diagram::' in line for line in lines)):
lines.append('.. inheritance-diagram::')
| add_model_fields_as_params | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app, obj, lines):\n for field in obj._meta.get_fields():\n try:\n help_text = strip_tags(force_text(field.help_text))\n verbose_name = force_text(field.verbose_name).capitalize()\n except AttributeError:\n continue\n if help_text:\n lines.append(u':param %s: %s' % (field.name, help_text))\n else:\n lines.append(u':param %s: %s' % (field.name, verbose_name))\n lines.append(_get_field_type(field))\n if ('sphinx.ext.inheritance_diagram' in app.extensions and \n 'sphinx.ext.graphviz' in app.extensions and not any(\n 'inheritance-diagram::' in line for line in lines)):\n lines.append('.. inheritance-diagram::')\n",
"role": "user"
},
{
"content": "add_model_fields_as_params",
"role": "assistant"
}
] |
def x(obj, lines):
lines.append('**Form fields:**')
lines.append('')
for name, field in obj.base_fields.items():
field_type = '{}.{}'.format(field.__class__.__module__, field.
__class__.__name__)
tpl = '* ``{name}``: {label} (:class:`~{field_type}`)'
lines.append(tpl.format(name=name, field=field, label=field.label or
name.replace('_', ' ').title(), field_type=field_type))
| add_form_fields | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, lines):\n lines.append('**Form fields:**')\n lines.append('')\n for name, field in obj.base_fields.items():\n field_type = '{}.{}'.format(field.__class__.__module__, field.\n __class__.__name__)\n tpl = '* ``{name}``: {label} (:class:`~{field_type}`)'\n lines.append(tpl.format(name=name, field=field, label=field.label or\n name.replace('_', ' ').title(), field_type=field_type))\n",
"role": "user"
},
{
"content": "add_form_fields",
"role": "assistant"
}
] |
def x(obj, name, lines):
if obj is None:
return
if isinstance(obj, DeferredAttribute):
cls_path, field_name = name.rsplit('.', 1)
model = import_string(cls_path)
field = model._meta.get_field(obj.field_name)
del lines[:]
lines.append('**Model field:** {label}'.format(label=field.
verbose_name))
elif isinstance(obj, _FIELD_DESCRIPTORS):
del lines[:]
lines.append('**Model field:** {label}'.format(label=obj.field.
verbose_name))
if isinstance(obj, FileDescriptor):
lines.append(
'**Return type:** :class:`~django.db.models.fields.files.FieldFile`'
)
elif PhoneNumberDescriptor is not None and isinstance(obj,
PhoneNumberDescriptor):
lines.append(
'**Return type:** :class:`~phonenumber_field.phonenumber.PhoneNumber`'
)
elif isinstance(obj, related_descriptors.ForwardManyToOneDescriptor):
related_model = obj.field.remote_field.model
if isinstance(related_model, str):
cls_path = related_model
else:
cls_path = '{}.{}'.format(related_model.__module__,
related_model.__name__)
del lines[:]
lines.append(
'**Model field:** {label}, accesses the :class:`~{cls_path}` model.'
.format(label=obj.field.verbose_name, cls_path=cls_path))
elif isinstance(obj, related_descriptors.ReverseOneToOneDescriptor):
related_model = obj.related.related_model
if isinstance(related_model, str):
cls_path = related_model
else:
cls_path = '{}.{}'.format(related_model.__module__,
related_model.__name__)
del lines[:]
lines.append(
'**Model field:** {label}, accesses the :class:`~{cls_path}` model.'
.format(label=obj.related.field.verbose_name, cls_path=cls_path))
elif isinstance(obj, related_descriptors.ReverseManyToOneDescriptor):
related_model = obj.rel.related_model
if isinstance(related_model, str):
cls_path = related_model
else:
cls_path = '{}.{}'.format(related_model.__module__,
related_model.__name__)
del lines[:]
lines.append(
'**Model field:** {label}, accesses the M2M :class:`~{cls_path}` model.'
.format(label=obj.field.verbose_name, cls_path=cls_path))
elif isinstance(obj, (models.Manager, ManagerDescriptor)):
module, cls_name, field_name = name.rsplit('.', 2)
lines.append('Django manager to access the ORM')
tpl = 'Use ``{cls_name}.objects.all()`` to fetch all objects.'
lines.append(tpl.format(cls_name=cls_name))
| improve_attribute_docs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, name, lines):\n if obj is None:\n return\n if isinstance(obj, DeferredAttribute):\n cls_path, field_name = name.rsplit('.', 1)\n model = import_string(cls_path)\n field = model._meta.get_field(obj.field_name)\n del lines[:]\n lines.append('**Model field:** {label}'.format(label=field.\n verbose_name))\n elif isinstance(obj, _FIELD_DESCRIPTORS):\n del lines[:]\n lines.append('**Model field:** {label}'.format(label=obj.field.\n verbose_name))\n if isinstance(obj, FileDescriptor):\n lines.append(\n '**Return type:** :class:`~django.db.models.fields.files.FieldFile`'\n )\n elif PhoneNumberDescriptor is not None and isinstance(obj,\n PhoneNumberDescriptor):\n lines.append(\n '**Return type:** :class:`~phonenumber_field.phonenumber.PhoneNumber`'\n )\n elif isinstance(obj, related_descriptors.ForwardManyToOneDescriptor):\n related_model = obj.field.remote_field.model\n if isinstance(related_model, str):\n cls_path = related_model\n else:\n cls_path = '{}.{}'.format(related_model.__module__,\n related_model.__name__)\n del lines[:]\n lines.append(\n '**Model field:** {label}, accesses the :class:`~{cls_path}` model.'\n .format(label=obj.field.verbose_name, cls_path=cls_path))\n elif isinstance(obj, related_descriptors.ReverseOneToOneDescriptor):\n related_model = obj.related.related_model\n if isinstance(related_model, str):\n cls_path = related_model\n else:\n cls_path = '{}.{}'.format(related_model.__module__,\n related_model.__name__)\n del lines[:]\n lines.append(\n '**Model field:** {label}, accesses the :class:`~{cls_path}` model.'\n .format(label=obj.related.field.verbose_name, cls_path=cls_path))\n elif isinstance(obj, related_descriptors.ReverseManyToOneDescriptor):\n related_model = obj.rel.related_model\n if isinstance(related_model, str):\n cls_path = related_model\n else:\n cls_path = '{}.{}'.format(related_model.__module__,\n related_model.__name__)\n del lines[:]\n lines.append(\n '**Model field:** {label}, accesses the M2M :class:`~{cls_path}` model.'\n .format(label=obj.field.verbose_name, cls_path=cls_path))\n elif isinstance(obj, (models.Manager, ManagerDescriptor)):\n module, cls_name, field_name = name.rsplit('.', 2)\n lines.append('Django manager to access the ORM')\n tpl = 'Use ``{cls_name}.objects.all()`` to fetch all objects.'\n lines.append(tpl.format(cls_name=cls_name))\n",
"role": "user"
},
{
"content": "improve_attribute_docs",
"role": "assistant"
}
] |
def x(obj, name, lines):
if not lines:
if name.endswith('_display'):
match = RE_GET_FOO_DISPLAY.search(name)
if match is not None:
lines.append(
'**Autogenerated:** Shows the label of the :attr:`{field}`'
.format(field=match.group('field')))
elif '.get_next_by_' in name:
match = RE_GET_NEXT_BY.search(name)
if match is not None:
lines.append(
'**Autogenerated:** Finds next instance based on :attr:`{field}`.'
.format(field=match.group('field')))
elif '.get_previous_by_' in name:
match = RE_GET_PREVIOUS_BY.search(name)
if match is not None:
lines.append(
'**Autogenerated:** Finds previous instance based on :attr:`{field}`.'
.format(field=match.group('field')))
| improve_method_docs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, name, lines):\n if not lines:\n if name.endswith('_display'):\n match = RE_GET_FOO_DISPLAY.search(name)\n if match is not None:\n lines.append(\n '**Autogenerated:** Shows the label of the :attr:`{field}`'\n .format(field=match.group('field')))\n elif '.get_next_by_' in name:\n match = RE_GET_NEXT_BY.search(name)\n if match is not None:\n lines.append(\n '**Autogenerated:** Finds next instance based on :attr:`{field}`.'\n .format(field=match.group('field')))\n elif '.get_previous_by_' in name:\n match = RE_GET_PREVIOUS_BY.search(name)\n if match is not None:\n lines.append(\n '**Autogenerated:** Finds previous instance based on :attr:`{field}`.'\n .format(field=match.group('field')))\n",
"role": "user"
},
{
"content": "improve_method_docs",
"role": "assistant"
}
] |
def x(cls) ->List[str]:
return [k for k, v in cls.attr_types().items()]
| attr_names | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls) ->List[str]:\n return [k for k, v in cls.attr_types().items()]\n",
"role": "user"
},
{
"content": "attr_names",
"role": "assistant"
}
] |
def x(contour, order=10, normalize=False):
dxy = np.diff(contour, axis=0)
dt = np.sqrt((dxy ** 2).sum(axis=1))
t = np.concatenate([[0.0], np.cumsum(dt)])
T = t[-1]
phi = 2 * np.pi * t / T
coeffs = np.zeros((order, 4))
for n in _range(1, order + 1):
const = T / (2 * n * n * np.pi * np.pi)
phi_n = phi * n
d_cos_phi_n = np.cos(phi_n[1:]) - np.cos(phi_n[:-1])
d_sin_phi_n = np.sin(phi_n[1:]) - np.sin(phi_n[:-1])
a_n = const * np.sum(dxy[:, 0] / dt * d_cos_phi_n)
b_n = const * np.sum(dxy[:, 0] / dt * d_sin_phi_n)
c_n = const * np.sum(dxy[:, 1] / dt * d_cos_phi_n)
d_n = const * np.sum(dxy[:, 1] / dt * d_sin_phi_n)
coeffs[n - 1, :] = a_n, b_n, c_n, d_n
if normalize:
coeffs = normalize_efd(coeffs)
return coeffs
| elliptic_fourier_descriptors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(contour, order=10, normalize=False):\n dxy = np.diff(contour, axis=0)\n dt = np.sqrt((dxy ** 2).sum(axis=1))\n t = np.concatenate([[0.0], np.cumsum(dt)])\n T = t[-1]\n phi = 2 * np.pi * t / T\n coeffs = np.zeros((order, 4))\n for n in _range(1, order + 1):\n const = T / (2 * n * n * np.pi * np.pi)\n phi_n = phi * n\n d_cos_phi_n = np.cos(phi_n[1:]) - np.cos(phi_n[:-1])\n d_sin_phi_n = np.sin(phi_n[1:]) - np.sin(phi_n[:-1])\n a_n = const * np.sum(dxy[:, 0] / dt * d_cos_phi_n)\n b_n = const * np.sum(dxy[:, 0] / dt * d_sin_phi_n)\n c_n = const * np.sum(dxy[:, 1] / dt * d_cos_phi_n)\n d_n = const * np.sum(dxy[:, 1] / dt * d_sin_phi_n)\n coeffs[n - 1, :] = a_n, b_n, c_n, d_n\n if normalize:\n coeffs = normalize_efd(coeffs)\n return coeffs\n",
"role": "user"
},
{
"content": "elliptic_fourier_descriptors",
"role": "assistant"
}
] |
def x(coeffs, size_invariant=True):
theta_1 = 0.5 * np.arctan2(2 * (coeffs[0, 0] * coeffs[0, 1] + coeffs[0,
2] * coeffs[0, 3]), coeffs[0, 0] ** 2 - coeffs[0, 1] ** 2 + coeffs[
0, 2] ** 2 - coeffs[0, 3] ** 2)
for n in _range(1, coeffs.shape[0] + 1):
coeffs[n - 1, :] = np.dot(np.array([[coeffs[n - 1, 0], coeffs[n - 1,
1]], [coeffs[n - 1, 2], coeffs[n - 1, 3]]]), np.array([[np.cos(
n * theta_1), -np.sin(n * theta_1)], [np.sin(n * theta_1), np.
cos(n * theta_1)]])).flatten()
psi_1 = np.arctan2(coeffs[0, 2], coeffs[0, 0])
psi_rotation_matrix = np.array([[np.cos(psi_1), np.sin(psi_1)], [-np.
sin(psi_1), np.cos(psi_1)]])
for n in _range(1, coeffs.shape[0] + 1):
coeffs[n - 1, :] = psi_rotation_matrix.dot(np.array([[coeffs[n - 1,
0], coeffs[n - 1, 1]], [coeffs[n - 1, 2], coeffs[n - 1, 3]]])
).flatten()
if size_invariant:
coeffs /= np.abs(coeffs[0, 0])
return coeffs
| normalize_efd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(coeffs, size_invariant=True):\n theta_1 = 0.5 * np.arctan2(2 * (coeffs[0, 0] * coeffs[0, 1] + coeffs[0,\n 2] * coeffs[0, 3]), coeffs[0, 0] ** 2 - coeffs[0, 1] ** 2 + coeffs[\n 0, 2] ** 2 - coeffs[0, 3] ** 2)\n for n in _range(1, coeffs.shape[0] + 1):\n coeffs[n - 1, :] = np.dot(np.array([[coeffs[n - 1, 0], coeffs[n - 1,\n 1]], [coeffs[n - 1, 2], coeffs[n - 1, 3]]]), np.array([[np.cos(\n n * theta_1), -np.sin(n * theta_1)], [np.sin(n * theta_1), np.\n cos(n * theta_1)]])).flatten()\n psi_1 = np.arctan2(coeffs[0, 2], coeffs[0, 0])\n psi_rotation_matrix = np.array([[np.cos(psi_1), np.sin(psi_1)], [-np.\n sin(psi_1), np.cos(psi_1)]])\n for n in _range(1, coeffs.shape[0] + 1):\n coeffs[n - 1, :] = psi_rotation_matrix.dot(np.array([[coeffs[n - 1,\n 0], coeffs[n - 1, 1]], [coeffs[n - 1, 2], coeffs[n - 1, 3]]])\n ).flatten()\n if size_invariant:\n coeffs /= np.abs(coeffs[0, 0])\n return coeffs\n",
"role": "user"
},
{
"content": "normalize_efd",
"role": "assistant"
}
] |
def x(contour):
dxy = np.diff(contour, axis=0)
dt = np.sqrt((dxy ** 2).sum(axis=1))
t = np.concatenate([[0.0], np.cumsum(dt)])
T = t[-1]
xi = np.cumsum(dxy[:, 0]) - dxy[:, 0] / dt * t[1:]
A0 = 1 / T * np.sum(dxy[:, 0] / (2 * dt) * np.diff(t ** 2) + xi * dt)
delta = np.cumsum(dxy[:, 1]) - dxy[:, 1] / dt * t[1:]
C0 = 1 / T * np.sum(dxy[:, 1] / (2 * dt) * np.diff(t ** 2) + delta * dt)
return contour[0, 0] + A0, contour[0, 1] + C0
| calculate_dc_coefficients | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(contour):\n dxy = np.diff(contour, axis=0)\n dt = np.sqrt((dxy ** 2).sum(axis=1))\n t = np.concatenate([[0.0], np.cumsum(dt)])\n T = t[-1]\n xi = np.cumsum(dxy[:, 0]) - dxy[:, 0] / dt * t[1:]\n A0 = 1 / T * np.sum(dxy[:, 0] / (2 * dt) * np.diff(t ** 2) + xi * dt)\n delta = np.cumsum(dxy[:, 1]) - dxy[:, 1] / dt * t[1:]\n C0 = 1 / T * np.sum(dxy[:, 1] / (2 * dt) * np.diff(t ** 2) + delta * dt)\n return contour[0, 0] + A0, contour[0, 1] + C0\n",
"role": "user"
},
{
"content": "calculate_dc_coefficients",
"role": "assistant"
}
] |
def x(coeffs, locus=(0.0, 0.0), image=None, contour=None, n=300):
try:
import matplotlib.pyplot as plt
except ImportError:
print('Cannot plot: matplotlib was not installed.')
return
N = coeffs.shape[0]
N_half = int(np.ceil(N / 2))
n_rows = 2
t = np.linspace(0, 1.0, n)
xt = np.ones((n,)) * locus[0]
yt = np.ones((n,)) * locus[1]
for n in _range(coeffs.shape[0]):
xt += coeffs[n, 0] * np.cos(2 * (n + 1) * np.pi * t) + coeffs[n, 1
] * np.sin(2 * (n + 1) * np.pi * t)
yt += coeffs[n, 2] * np.cos(2 * (n + 1) * np.pi * t) + coeffs[n, 3
] * np.sin(2 * (n + 1) * np.pi * t)
ax = plt.subplot2grid((n_rows, N_half), (n // N_half, n % N_half))
ax.set_title(str(n + 1))
if contour is not None:
ax.plot(contour[:, 1], contour[:, 0], 'c--', linewidth=2)
ax.plot(yt, xt, 'r', linewidth=2)
if image is not None:
ax.imshow(image, plt.cm.gray)
plt.show()
| plot_efd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(coeffs, locus=(0.0, 0.0), image=None, contour=None, n=300):\n try:\n import matplotlib.pyplot as plt\n except ImportError:\n print('Cannot plot: matplotlib was not installed.')\n return\n N = coeffs.shape[0]\n N_half = int(np.ceil(N / 2))\n n_rows = 2\n t = np.linspace(0, 1.0, n)\n xt = np.ones((n,)) * locus[0]\n yt = np.ones((n,)) * locus[1]\n for n in _range(coeffs.shape[0]):\n xt += coeffs[n, 0] * np.cos(2 * (n + 1) * np.pi * t) + coeffs[n, 1\n ] * np.sin(2 * (n + 1) * np.pi * t)\n yt += coeffs[n, 2] * np.cos(2 * (n + 1) * np.pi * t) + coeffs[n, 3\n ] * np.sin(2 * (n + 1) * np.pi * t)\n ax = plt.subplot2grid((n_rows, N_half), (n // N_half, n % N_half))\n ax.set_title(str(n + 1))\n if contour is not None:\n ax.plot(contour[:, 1], contour[:, 0], 'c--', linewidth=2)\n ax.plot(yt, xt, 'r', linewidth=2)\n if image is not None:\n ax.imshow(image, plt.cm.gray)\n plt.show()\n",
"role": "user"
},
{
"content": "plot_efd",
"role": "assistant"
}
] |
def x(result, func, arguments):
if result != 0:
raise XdoException('Function {0} returned error code {1}'.format(
func.__name__, result))
return None
| errcheck | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(result, func, arguments):\n if result != 0:\n raise XdoException('Function {0} returned error code {1}'.format(\n func.__name__, result))\n return None\n",
"role": "user"
},
{
"content": "errcheck",
"role": "assistant"
}
] |
def x(mask):
return input_mask(shift=bool(mask & MOD_Shift), lock=bool(mask &
MOD_Lock), control=bool(mask & MOD_Control), mod1=bool(mask &
MOD_Mod1), mod2=bool(mask & MOD_Mod2), mod3=bool(mask & MOD_Mod3),
mod4=bool(mask & MOD_Mod4), mod5=bool(mask & MOD_Mod5))
| gen_input_mask | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mask):\n return input_mask(shift=bool(mask & MOD_Shift), lock=bool(mask &\n MOD_Lock), control=bool(mask & MOD_Control), mod1=bool(mask &\n MOD_Mod1), mod2=bool(mask & MOD_Mod2), mod3=bool(mask & MOD_Mod3),\n mod4=bool(mask & MOD_Mod4), mod5=bool(mask & MOD_Mod5))\n",
"role": "user"
},
{
"content": "gen_input_mask",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.