source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(campaign, module, model='nPLD', **kwargs):
channels = Channels(module)
assert channels is not None, 'No channels available on this module.'
all = GetK2Campaign(campaign)
stars = np.array([s[0] for s in all if s[2] in channels and os.path.
exists(os.path.join(EVEREST_DAT, 'k2', 'c%02d' % int(campaign), (
'%09d' % s[0])[:4] + '00000', ('%09d' % s[0])[4:], model + '.npz'))
], dtype=int)
N = len(stars)
assert N > 0, 'No light curves found for campaign %d, module %d.' % (
campaign, module)
fluxes = []
errors = []
kpars = []
for n in range(N):
nf = os.path.join(EVEREST_DAT, 'k2', 'c%02d' % int(campaign), (
'%09d' % stars[n])[:4] + '00000', ('%09d' % stars[n])[4:],
model + '.npz')
data = np.load(nf)
t = data['time']
if n == 0:
time = t
breakpoints = data['breakpoints']
y = data['fraw'] - data['model']
err = data['fraw_err']
m = np.array(list(set(np.concatenate([data['outmask'], data[
'badmask'], data['nanmask'], data['transitmask']]))), dtype=int)
y = np.interp(t, np.delete(t, m), np.delete(y, m))
err = np.interp(t, np.delete(t, m), np.delete(err, m))
fluxes.append(y)
errors.append(err)
kpars.append(data['kernel_params'])
return time, breakpoints, np.array(fluxes), np.array(errors), np.array(
kpars)
|
GetStars
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(campaign, module, model='nPLD', **kwargs):\n channels = Channels(module)\n assert channels is not None, 'No channels available on this module.'\n all = GetK2Campaign(campaign)\n stars = np.array([s[0] for s in all if s[2] in channels and os.path.\n exists(os.path.join(EVEREST_DAT, 'k2', 'c%02d' % int(campaign), (\n '%09d' % s[0])[:4] + '00000', ('%09d' % s[0])[4:], model + '.npz'))\n ], dtype=int)\n N = len(stars)\n assert N > 0, 'No light curves found for campaign %d, module %d.' % (\n campaign, module)\n fluxes = []\n errors = []\n kpars = []\n for n in range(N):\n nf = os.path.join(EVEREST_DAT, 'k2', 'c%02d' % int(campaign), (\n '%09d' % stars[n])[:4] + '00000', ('%09d' % stars[n])[4:], \n model + '.npz')\n data = np.load(nf)\n t = data['time']\n if n == 0:\n time = t\n breakpoints = data['breakpoints']\n y = data['fraw'] - data['model']\n err = data['fraw_err']\n m = np.array(list(set(np.concatenate([data['outmask'], data[\n 'badmask'], data['nanmask'], data['transitmask']]))), dtype=int)\n y = np.interp(t, np.delete(t, m), np.delete(y, m))\n err = np.interp(t, np.delete(t, m), np.delete(err, m))\n fluxes.append(y)\n errors.append(err)\n kpars.append(data['kernel_params'])\n return time, breakpoints, np.array(fluxes), np.array(errors), np.array(\n kpars)\n",
"role": "user"
},
{
"content": "GetStars",
"role": "assistant"
}
] |
def x(time, flux, err, ncbv=5, niter=50, sv_win=999, sv_order=3, **kwargs):
nflx, tlen = flux.shape
med = np.nanmedian(flux, axis=1).reshape(-1, 1)
y = flux - med
invvar = 1.0 / err ** 2
cbvs = np.zeros((ncbv, tlen))
for n in range(ncbv):
c = np.zeros(nflx)
a = np.ones(tlen)
f = y * invvar
for i in range(niter):
c = np.dot(f, a) / np.dot(invvar, a ** 2)
a = np.dot(c, f) / np.dot(c ** 2, invvar)
y -= np.outer(c, a)
if sv_win >= len(a):
sv_win = len(a) - 1
if sv_win % 2 == 0:
sv_win -= 1
cbvs[n] = savgol_filter(a - np.nanmedian(a), sv_win, sv_order)
return cbvs
|
SysRem
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(time, flux, err, ncbv=5, niter=50, sv_win=999, sv_order=3, **kwargs):\n nflx, tlen = flux.shape\n med = np.nanmedian(flux, axis=1).reshape(-1, 1)\n y = flux - med\n invvar = 1.0 / err ** 2\n cbvs = np.zeros((ncbv, tlen))\n for n in range(ncbv):\n c = np.zeros(nflx)\n a = np.ones(tlen)\n f = y * invvar\n for i in range(niter):\n c = np.dot(f, a) / np.dot(invvar, a ** 2)\n a = np.dot(c, f) / np.dot(c ** 2, invvar)\n y -= np.outer(c, a)\n if sv_win >= len(a):\n sv_win = len(a) - 1\n if sv_win % 2 == 0:\n sv_win -= 1\n cbvs[n] = savgol_filter(a - np.nanmedian(a), sv_win, sv_order)\n return cbvs\n",
"role": "user"
},
{
"content": "SysRem",
"role": "assistant"
}
] |
def x(campaign, model='nPLD', clobber=False, **kwargs):
if len(logging.getLogger().handlers) == 0:
InitLog(file_name=None, screen_level=logging.DEBUG)
log.info('Computing CBVs for campaign %d...' % campaign)
path = os.path.join(EVEREST_DAT, 'k2', 'cbv', 'c%02d' % campaign)
if not os.path.exists(path):
os.makedirs(path)
xfile = os.path.join(path, 'X.npz')
if clobber or not os.path.exists(xfile):
log.info('Obtaining light curves...')
time = None
for module in range(2, 25):
lcfile = os.path.join(path, '%d.npz' % module)
if clobber or not os.path.exists(lcfile):
try:
time, breakpoints, fluxes, errors, kpars = GetStars(
campaign, module, model=model, **kwargs)
except AssertionError:
continue
np.savez(lcfile, time=time, breakpoints=breakpoints, fluxes
=fluxes, errors=errors, kpars=kpars)
lcs = np.load(lcfile)
if time is None:
time = lcs['time']
breakpoints = lcs['breakpoints']
fluxes = lcs['fluxes']
errors = lcs['errors']
kpars = lcs['kpars']
else:
fluxes = np.vstack([fluxes, lcs['fluxes']])
errors = np.vstack([errors, lcs['errors']])
kpars = np.vstack([kpars, lcs['kpars']])
log.info('Running SysRem...')
X = np.ones((len(time), 1 + kwargs.get('ncbv', 5)))
new_fluxes = np.zeros_like(fluxes)
for b in range(len(breakpoints)):
inds = GetChunk(time, breakpoints, b)
for j in range(len(errors)):
errors[j] = np.sqrt(errors[j] ** 2 + kpars[j][0] ** 2)
X[inds, 1:] = SysRem(time[inds], fluxes[:, inds], errors[:,
inds], **kwargs).T
np.savez(xfile, X=X, time=time, breakpoints=breakpoints)
else:
data = np.load(xfile)
X = data['X'][()]
time = data['time'][()]
breakpoints = data['breakpoints'][()]
plotfile = os.path.join(path, 'X.pdf')
if clobber or not os.path.exists(plotfile):
fig, ax = pl.subplots(2, 3, figsize=(12, 8))
fig.subplots_adjust(left=0.05, right=0.95)
ax = ax.flatten()
for axis in ax:
axis.set_xticks([])
axis.set_yticks([])
for b in range(len(breakpoints)):
inds = GetChunk(time, breakpoints, b)
for n in range(min(6, X.shape[1])):
ax[n].plot(time[inds], X[inds, n])
ax[n].set_title(n, fontsize=14)
fig.savefig(plotfile, bbox_inches='tight')
return X
|
GetCBVs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(campaign, model='nPLD', clobber=False, **kwargs):\n if len(logging.getLogger().handlers) == 0:\n InitLog(file_name=None, screen_level=logging.DEBUG)\n log.info('Computing CBVs for campaign %d...' % campaign)\n path = os.path.join(EVEREST_DAT, 'k2', 'cbv', 'c%02d' % campaign)\n if not os.path.exists(path):\n os.makedirs(path)\n xfile = os.path.join(path, 'X.npz')\n if clobber or not os.path.exists(xfile):\n log.info('Obtaining light curves...')\n time = None\n for module in range(2, 25):\n lcfile = os.path.join(path, '%d.npz' % module)\n if clobber or not os.path.exists(lcfile):\n try:\n time, breakpoints, fluxes, errors, kpars = GetStars(\n campaign, module, model=model, **kwargs)\n except AssertionError:\n continue\n np.savez(lcfile, time=time, breakpoints=breakpoints, fluxes\n =fluxes, errors=errors, kpars=kpars)\n lcs = np.load(lcfile)\n if time is None:\n time = lcs['time']\n breakpoints = lcs['breakpoints']\n fluxes = lcs['fluxes']\n errors = lcs['errors']\n kpars = lcs['kpars']\n else:\n fluxes = np.vstack([fluxes, lcs['fluxes']])\n errors = np.vstack([errors, lcs['errors']])\n kpars = np.vstack([kpars, lcs['kpars']])\n log.info('Running SysRem...')\n X = np.ones((len(time), 1 + kwargs.get('ncbv', 5)))\n new_fluxes = np.zeros_like(fluxes)\n for b in range(len(breakpoints)):\n inds = GetChunk(time, breakpoints, b)\n for j in range(len(errors)):\n errors[j] = np.sqrt(errors[j] ** 2 + kpars[j][0] ** 2)\n X[inds, 1:] = SysRem(time[inds], fluxes[:, inds], errors[:,\n inds], **kwargs).T\n np.savez(xfile, X=X, time=time, breakpoints=breakpoints)\n else:\n data = np.load(xfile)\n X = data['X'][()]\n time = data['time'][()]\n breakpoints = data['breakpoints'][()]\n plotfile = os.path.join(path, 'X.pdf')\n if clobber or not os.path.exists(plotfile):\n fig, ax = pl.subplots(2, 3, figsize=(12, 8))\n fig.subplots_adjust(left=0.05, right=0.95)\n ax = ax.flatten()\n for axis in ax:\n axis.set_xticks([])\n axis.set_yticks([])\n for b in range(len(breakpoints)):\n inds = GetChunk(time, breakpoints, b)\n for n in range(min(6, X.shape[1])):\n ax[n].plot(time[inds], X[inds, n])\n ax[n].set_title(n, fontsize=14)\n fig.savefig(plotfile, bbox_inches='tight')\n return X\n",
"role": "user"
},
{
"content": "GetCBVs",
"role": "assistant"
}
] |
def x(dotted_module, path=None, context=None):
path = path or DEFAULT_LUA_PATH
bits = dotted_module.split('.')
bits[-1] += '.lua'
name = os.path.join(path, *bits)
with open(name) as f:
data = f.read()
if context:
data = data.format(context)
return data
|
read_lua_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dotted_module, path=None, context=None):\n path = path or DEFAULT_LUA_PATH\n bits = dotted_module.split('.')\n bits[-1] += '.lua'\n name = os.path.join(path, *bits)\n with open(name) as f:\n data = f.read()\n if context:\n data = data.format(context)\n return data\n",
"role": "user"
},
{
"content": "read_lua_file",
"role": "assistant"
}
] |
def x(response):
info = {}
response = response.decode('utf-8')
def x(value):
if ',' and '=' not in value:
return value
sub_dict = {}
for item in value.split(','):
k, v = item.split('=')
try:
sub_dict[k] = int(v)
except ValueError:
sub_dict[k] = v
return sub_dict
data = info
for line in response.splitlines():
keyvalue = line.split(':')
if len(keyvalue) == 2:
key, value = keyvalue
try:
data[key] = int(value)
except ValueError:
data[key] = get_value(value)
else:
data = {}
info[line[2:]] = data
return info
|
parse_info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(response):\n info = {}\n response = response.decode('utf-8')\n\n def x(value):\n if ',' and '=' not in value:\n return value\n sub_dict = {}\n for item in value.split(','):\n k, v = item.split('=')\n try:\n sub_dict[k] = int(v)\n except ValueError:\n sub_dict[k] = v\n return sub_dict\n data = info\n for line in response.splitlines():\n keyvalue = line.split(':')\n if len(keyvalue) == 2:\n key, value = keyvalue\n try:\n data[key] = int(value)\n except ValueError:\n data[key] = get_value(value)\n else:\n data = {}\n info[line[2:]] = data\n return info\n",
"role": "user"
},
{
"content": "parse_info",
"role": "assistant"
}
] |
def x(self, dest, keys, withscores=False):
keys = (dest,) + tuple(keys)
wscores = 'withscores' if withscores else ''
return self.execute_script('zdiffstore', keys, wscores, withscores=
withscores)
|
zdiffstore
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dest, keys, withscores=False):\n keys = (dest,) + tuple(keys)\n wscores = 'withscores' if withscores else ''\n return self.execute_script('zdiffstore', keys, wscores, withscores=\n withscores)\n",
"role": "user"
},
{
"content": "zdiffstore",
"role": "assistant"
}
] |
def x(self, name, start, stop=None, withscores=False, desc=False):
stop = stop if stop is not None else start
return self.execute_script('zpop', (name,), 'rank', start, stop, int(
desc), int(withscores), withscores=withscores)
|
zpopbyrank
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, start, stop=None, withscores=False, desc=False):\n stop = stop if stop is not None else start\n return self.execute_script('zpop', (name,), 'rank', start, stop, int(\n desc), int(withscores), withscores=withscores)\n",
"role": "user"
},
{
"content": "zpopbyrank",
"role": "assistant"
}
] |
def x(self, instance):
flushdb(self.client) if flushdb else self.client.flushdb()
|
delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance):\n flushdb(self.client) if flushdb else self.client.flushdb()\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(x):
per, t0, b = x
if b < -1 or b > 1:
return -np.inf
elif per < 7 or per > 10:
return -np.inf
elif t0 < 1978 or t0 > 1979:
return -np.inf
else:
return 0.0
|
lnprior
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x):\n per, t0, b = x\n if b < -1 or b > 1:\n return -np.inf\n elif per < 7 or per > 10:\n return -np.inf\n elif t0 < 1978 or t0 > 1979:\n return -np.inf\n else:\n return 0.0\n",
"role": "user"
},
{
"content": "lnprior",
"role": "assistant"
}
] |
def x(x, star):
ll = lnprior(x)
if np.isinf(ll):
return ll, (np.nan, np.nan)
per, t0, b = x
model = TransitModel('b', per=per, t0=t0, b=b, rhos=10.0)(star.time)
like, d, vard = star.lnlike(model, full_output=True)
ll += like
return ll, (d,)
|
lnlike
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, star):\n ll = lnprior(x)\n if np.isinf(ll):\n return ll, (np.nan, np.nan)\n per, t0, b = x\n model = TransitModel('b', per=per, t0=t0, b=b, rhos=10.0)(star.time)\n like, d, vard = star.lnlike(model, full_output=True)\n ll += like\n return ll, (d,)\n",
"role": "user"
},
{
"content": "lnlike",
"role": "assistant"
}
] |
def x(self, username, email):
users = self.router.user
avail = yield users.filter(username=username).count()
if avail:
raise FieldError('Username %s not available' % username)
if email:
avail = yield users.filter(email=email).count()
if avail:
raise FieldError('Email %s not available' % email)
|
check_user
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, email):\n users = self.router.user\n avail = yield users.filter(username=username).count()\n if avail:\n raise FieldError('Username %s not available' % username)\n if email:\n avail = yield users.filter(email=email).count()\n if avail:\n raise FieldError('Email %s not available' % email)\n",
"role": "user"
},
{
"content": "check_user",
"role": "assistant"
}
] |
def x(self, query, group, operations):
session = query.session
models = session.router
user = group.user
if user.is_superuser:
return query
roles = group.roles.query()
roles = group.roles.query()
throgh_model = models.role.permissions.model
models[throgh_model].filter(role=roles, permission__model_type=query.
model, permission__operations=operations)
permissions = router.permission.filter(model_type=query.model, level=
operations)
owner_query = query.filter(user=user)
roles = models.role.filter(model_type=query.model, level__ge=level)
groups = Role.groups.throughquery(session).filter(role=roles).get_field(
'group')
if user.groups.filter(id=groups).count():
permitted = models.instancerole.filter(role=roles).get_field(
'object_id')
return owner_query.union(model.objects.filter(id=permitted))
else:
return owner_query
|
permitted_query
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query, group, operations):\n session = query.session\n models = session.router\n user = group.user\n if user.is_superuser:\n return query\n roles = group.roles.query()\n roles = group.roles.query()\n throgh_model = models.role.permissions.model\n models[throgh_model].filter(role=roles, permission__model_type=query.\n model, permission__operations=operations)\n permissions = router.permission.filter(model_type=query.model, level=\n operations)\n owner_query = query.filter(user=user)\n roles = models.role.filter(model_type=query.model, level__ge=level)\n groups = Role.groups.throughquery(session).filter(role=roles).get_field(\n 'group')\n if user.groups.filter(id=groups).count():\n permitted = models.instancerole.filter(role=roles).get_field(\n 'object_id')\n return owner_query.union(model.objects.filter(id=permitted))\n else:\n return owner_query\n",
"role": "user"
},
{
"content": "permitted_query",
"role": "assistant"
}
] |
def x(self, name):
models = self.session.router
return models.role.new(name=name, owner=self)
|
create_role
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n models = self.session.router\n return models.role.new(name=name, owner=self)\n",
"role": "user"
},
{
"content": "create_role",
"role": "assistant"
}
] |
def x(self, role):
if role.owner_id != self.id:
return self.roles.add(role)
|
assign
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, role):\n if role.owner_id != self.id:\n return self.roles.add(role)\n",
"role": "user"
},
{
"content": "assign",
"role": "assistant"
}
] |
def x(self, object, group, operations):
if self.is_superuser:
return 1
else:
models = self.session.router
query = models.permission.for_object(object, operation=operations)
objects = models[models.role.permissions.model]
return objects.filter(role=self.role.query(), permission=query).count()
|
has_permissions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, object, group, operations):\n if self.is_superuser:\n return 1\n else:\n models = self.session.router\n query = models.permission.for_object(object, operation=operations)\n objects = models[models.role.permissions.model]\n return objects.filter(role=self.role.query(), permission=query).count()\n",
"role": "user"
},
{
"content": "has_permissions",
"role": "assistant"
}
] |
def x(self, resource, operation):
if isclass(resource):
model_type = resource
pk = ''
else:
model_type = resource.__class__
pk = resource.pkvalue()
p = Permission(model_type=model_type, object_pk=pk, operation=operation)
session = self.session
if session.transaction:
session.add(p)
self.permissions.add(p)
return p
else:
with session.begin() as t:
t.add(p)
self.permissions.add(p)
return t.add_callback(lambda r: p)
|
add_permission
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, resource, operation):\n if isclass(resource):\n model_type = resource\n pk = ''\n else:\n model_type = resource.__class__\n pk = resource.pkvalue()\n p = Permission(model_type=model_type, object_pk=pk, operation=operation)\n session = self.session\n if session.transaction:\n session.add(p)\n self.permissions.add(p)\n return p\n else:\n with session.begin() as t:\n t.add(p)\n self.permissions.add(p)\n return t.add_callback(lambda r: p)\n",
"role": "user"
},
{
"content": "add_permission",
"role": "assistant"
}
] |
def x(self, app, session=None, parameters=None):
if parameters is not None and not isinstance(parameters, ParamsBuilder):
raise InvalidUsage(
'parameters should be a pysnow.ParamsBuilder object, not %r' %
type(parameters).__name__)
self._session = session
self._parameters = parameters
app.config.setdefault('SNOW_INSTANCE', None)
app.config.setdefault('SNOW_HOST', None)
app.config.setdefault('SNOW_USER', None)
app.config.setdefault('SNOW_PASSWORD', None)
app.config.setdefault('SNOW_OAUTH_CLIENT_ID', None)
app.config.setdefault('SNOW_OAUTH_CLIENT_SECRET', None)
app.config.setdefault('SNOW_USE_SSL', True)
if app.config['SNOW_OAUTH_CLIENT_ID'] and app.config[
'SNOW_OAUTH_CLIENT_SECRET']:
self._client_type_oauth = True
elif self._session or app.config['SNOW_USER'] and app.config[
'SNOW_PASSWORD']:
self._client_type_basic = True
else:
raise ConfigError(
'You must supply user credentials, a session or OAuth credentials to use flask-snow'
)
|
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, session=None, parameters=None):\n if parameters is not None and not isinstance(parameters, ParamsBuilder):\n raise InvalidUsage(\n 'parameters should be a pysnow.ParamsBuilder object, not %r' %\n type(parameters).__name__)\n self._session = session\n self._parameters = parameters\n app.config.setdefault('SNOW_INSTANCE', None)\n app.config.setdefault('SNOW_HOST', None)\n app.config.setdefault('SNOW_USER', None)\n app.config.setdefault('SNOW_PASSWORD', None)\n app.config.setdefault('SNOW_OAUTH_CLIENT_ID', None)\n app.config.setdefault('SNOW_OAUTH_CLIENT_SECRET', None)\n app.config.setdefault('SNOW_USE_SSL', True)\n if app.config['SNOW_OAUTH_CLIENT_ID'] and app.config[\n 'SNOW_OAUTH_CLIENT_SECRET']:\n self._client_type_oauth = True\n elif self._session or app.config['SNOW_USER'] and app.config[\n 'SNOW_PASSWORD']:\n self._client_type_basic = True\n else:\n raise ConfigError(\n 'You must supply user credentials, a session or OAuth credentials to use flask-snow'\n )\n",
"role": "user"
},
{
"content": "init_app",
"role": "assistant"
}
] |
def x(self):
ctx = stack.top.app
if ctx is not None:
if not hasattr(ctx, 'snow'):
if self._client_type_oauth:
if not self._token_updater:
warnings.warn(
'No token updater has been set. Token refreshes will be ignored.'
)
client = self._get_oauth_client()
else:
client = self._get_basic_client()
if self._parameters:
client.parameters = self._parameters
ctx.snow = client
return ctx.snow
|
connection
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ctx = stack.top.app\n if ctx is not None:\n if not hasattr(ctx, 'snow'):\n if self._client_type_oauth:\n if not self._token_updater:\n warnings.warn(\n 'No token updater has been set. Token refreshes will be ignored.'\n )\n client = self._get_oauth_client()\n else:\n client = self._get_basic_client()\n if self._parameters:\n client.parameters = self._parameters\n ctx.snow = client\n return ctx.snow\n",
"role": "user"
},
{
"content": "connection",
"role": "assistant"
}
] |
def x():
global options
l = len(options['long'])
options['shortlist'] = [s for s in options['short'] if s is not ':']
print('python -m behave2cucumber [-h] [-d level|--debug=level]')
for i in range(l):
print(' -{0}|--{1:20} {2}'.format(options['shortlist'][i],
options['long'][i], options['descriptions'][i]))
|
usage
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n global options\n l = len(options['long'])\n options['shortlist'] = [s for s in options['short'] if s is not ':']\n print('python -m behave2cucumber [-h] [-d level|--debug=level]')\n for i in range(l):\n print(' -{0}|--{1:20} {2}'.format(options['shortlist'][i],\n options['long'][i], options['descriptions'][i]))\n",
"role": "user"
},
{
"content": "usage",
"role": "assistant"
}
] |
def x(argv):
global options
opts = None
try:
opts, args = getopt.getopt(argv, options['short'], options['long'])
except getopt.GetoptError:
usage()
exit(2)
for opt, arg in opts:
if opt in ('-h', '--help'):
usage()
exit()
elif opt in ('-d', '--debug'):
try:
arg = int(arg)
log.debug('Debug level received: ' + str(arg))
except ValueError:
log.warning('Invalid log level: ' + arg)
continue
if 0 <= arg <= 5:
log.setLevel(60 - arg * 10)
log.critical('Log level changed to: ' + str(logging.
getLevelName(60 - arg * 10)))
else:
log.warning('Invalid log level: ' + str(arg))
infile = None
outfile = None
remove_background = False
duration_format = False
deduplicate = False
for opt, arg in opts:
if opt in ('-i', '--infile'):
log.info('Input File: ' + arg)
infile = arg
if opt in ('-o', '--outfile'):
log.info('Output File: ' + arg)
outfile = arg
if opt in ('-r', '--remove-background'):
log.info('Remove Background: Enabled')
remove_background = True
if opt in ('-f', '--format-duration'):
log.info('Format Duration: Enabled')
duration_format = True
if opt in ('-D', '--deduplicate'):
log.info('Deduplicate: Enabled')
deduplicate = True
if infile is None:
log.critical('No input JSON provided.')
usage()
exit(3)
with open(infile) as f:
cucumber_output = convert(json.load(f), remove_background=
remove_background, duration_format=duration_format, deduplicate
=deduplicate)
if outfile is not None:
with open(outfile, 'w') as f:
json.dump(cucumber_output, f, indent=4, separators=(',', ': '))
else:
pprint(cucumber_output)
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(argv):\n global options\n opts = None\n try:\n opts, args = getopt.getopt(argv, options['short'], options['long'])\n except getopt.GetoptError:\n usage()\n exit(2)\n for opt, arg in opts:\n if opt in ('-h', '--help'):\n usage()\n exit()\n elif opt in ('-d', '--debug'):\n try:\n arg = int(arg)\n log.debug('Debug level received: ' + str(arg))\n except ValueError:\n log.warning('Invalid log level: ' + arg)\n continue\n if 0 <= arg <= 5:\n log.setLevel(60 - arg * 10)\n log.critical('Log level changed to: ' + str(logging.\n getLevelName(60 - arg * 10)))\n else:\n log.warning('Invalid log level: ' + str(arg))\n infile = None\n outfile = None\n remove_background = False\n duration_format = False\n deduplicate = False\n for opt, arg in opts:\n if opt in ('-i', '--infile'):\n log.info('Input File: ' + arg)\n infile = arg\n if opt in ('-o', '--outfile'):\n log.info('Output File: ' + arg)\n outfile = arg\n if opt in ('-r', '--remove-background'):\n log.info('Remove Background: Enabled')\n remove_background = True\n if opt in ('-f', '--format-duration'):\n log.info('Format Duration: Enabled')\n duration_format = True\n if opt in ('-D', '--deduplicate'):\n log.info('Deduplicate: Enabled')\n deduplicate = True\n if infile is None:\n log.critical('No input JSON provided.')\n usage()\n exit(3)\n with open(infile) as f:\n cucumber_output = convert(json.load(f), remove_background=\n remove_background, duration_format=duration_format, deduplicate\n =deduplicate)\n if outfile is not None:\n with open(outfile, 'w') as f:\n json.dump(cucumber_output, f, indent=4, separators=(',', ': '))\n else:\n pprint(cucumber_output)\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(theta, phi):
return np.array([np.cos(phi) * np.sin(theta), np.sin(phi) * np.sin(
theta), np.cos(theta)])
|
direction
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(theta, phi):\n return np.array([np.cos(phi) * np.sin(theta), np.sin(phi) * np.sin(\n theta), np.cos(theta)])\n",
"role": "user"
},
{
"content": "direction",
"role": "assistant"
}
] |
def x(w):
return np.identity(3) - np.dot(np.reshape(w, (3, 1)), np.reshape(w, (1, 3))
)
|
projection_matrix
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(w):\n return np.identity(3) - np.dot(np.reshape(w, (3, 1)), np.reshape(w, (1, 3))\n )\n",
"role": "user"
},
{
"content": "projection_matrix",
"role": "assistant"
}
] |
def x(w):
return np.array([[0, -w[2], w[1]], [w[2], 0, -w[0]], [-w[1], w[0], 0]])
|
skew_matrix
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(w):\n return np.array([[0, -w[2], w[1]], [w[2], 0, -w[0]], [-w[1], w[0], 0]])\n",
"role": "user"
},
{
"content": "skew_matrix",
"role": "assistant"
}
] |
def x(Ys):
return sum(np.dot(np.reshape(Y, (3, 1)), np.reshape(Y, (1, 3))) for Y in Ys
)
|
calc_A
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Ys):\n return sum(np.dot(np.reshape(Y, (3, 1)), np.reshape(Y, (1, 3))) for Y in Ys\n )\n",
"role": "user"
},
{
"content": "calc_A",
"role": "assistant"
}
] |
def x(A, S):
return np.dot(S, np.dot(A, np.transpose(S)))
|
calc_A_hat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(A, S):\n return np.dot(S, np.dot(A, np.transpose(S)))\n",
"role": "user"
},
{
"content": "calc_A_hat",
"role": "assistant"
}
] |
def x(Xs_raw):
n = len(Xs_raw)
Xs_raw_mean = sum(X for X in Xs_raw) / n
return [(X - Xs_raw_mean) for X in Xs_raw], Xs_raw_mean
|
preprocess_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Xs_raw):\n n = len(Xs_raw)\n Xs_raw_mean = sum(X for X in Xs_raw) / n\n return [(X - Xs_raw_mean) for X in Xs_raw], Xs_raw_mean\n",
"role": "user"
},
{
"content": "preprocess_data",
"role": "assistant"
}
] |
def x(w, Xs):
n = len(Xs)
P = projection_matrix(w)
Ys = [np.dot(P, X) for X in Xs]
A = calc_A(Ys)
A_hat = calc_A_hat(A, skew_matrix(w))
u = sum(np.dot(Y, Y) for Y in Ys) / n
v = np.dot(A_hat, sum(np.dot(Y, Y) * Y for Y in Ys)) / np.trace(np.dot(
A_hat, A))
return sum((np.dot(Y, Y) - u - 2 * np.dot(Y, v)) ** 2 for Y in Ys)
|
G
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(w, Xs):\n n = len(Xs)\n P = projection_matrix(w)\n Ys = [np.dot(P, X) for X in Xs]\n A = calc_A(Ys)\n A_hat = calc_A_hat(A, skew_matrix(w))\n u = sum(np.dot(Y, Y) for Y in Ys) / n\n v = np.dot(A_hat, sum(np.dot(Y, Y) * Y for Y in Ys)) / np.trace(np.dot(\n A_hat, A))\n return sum((np.dot(Y, Y) - u - 2 * np.dot(Y, v)) ** 2 for Y in Ys)\n",
"role": "user"
},
{
"content": "G",
"role": "assistant"
}
] |
def x(w, Xs):
n = len(Xs)
P = projection_matrix(w)
Ys = [np.dot(P, X) for X in Xs]
A = calc_A(Ys)
A_hat = calc_A_hat(A, skew_matrix(w))
return np.dot(A_hat, sum(np.dot(Y, Y) * Y for Y in Ys)) / np.trace(np.
dot(A_hat, A))
|
C
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(w, Xs):\n n = len(Xs)\n P = projection_matrix(w)\n Ys = [np.dot(P, X) for X in Xs]\n A = calc_A(Ys)\n A_hat = calc_A_hat(A, skew_matrix(w))\n return np.dot(A_hat, sum(np.dot(Y, Y) * Y for Y in Ys)) / np.trace(np.\n dot(A_hat, A))\n",
"role": "user"
},
{
"content": "C",
"role": "assistant"
}
] |
def x(w, Xs):
n = len(Xs)
P = projection_matrix(w)
c = C(w, Xs)
return np.sqrt(sum(np.dot(c - X, np.dot(P, c - X)) for X in Xs) / n)
|
r
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(w, Xs):\n n = len(Xs)\n P = projection_matrix(w)\n c = C(w, Xs)\n return np.sqrt(sum(np.dot(c - X, np.dot(P, c - X)) for X in Xs) / n)\n",
"role": "user"
},
{
"content": "r",
"role": "assistant"
}
] |
def x(data, guess_angles=None):
Xs, t = preprocess_data(data)
start_points = [(0, 0), (np.pi / 2, 0), (np.pi / 2, np.pi / 2)]
if guess_angles:
start_points = guess_angles
best_fit = None
best_score = float('inf')
for sp in start_points:
fitted = minimize(lambda x: G(direction(x[0], x[1]), Xs), sp,
method='Powell', tol=1e-06)
if fitted.fun < best_score:
best_score = fitted.fun
best_fit = fitted
w = direction(best_fit.x[0], best_fit.x[1])
return w, C(w, Xs) + t, r(w, Xs), best_fit.fun
|
fit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, guess_angles=None):\n Xs, t = preprocess_data(data)\n start_points = [(0, 0), (np.pi / 2, 0), (np.pi / 2, np.pi / 2)]\n if guess_angles:\n start_points = guess_angles\n best_fit = None\n best_score = float('inf')\n for sp in start_points:\n fitted = minimize(lambda x: G(direction(x[0], x[1]), Xs), sp,\n method='Powell', tol=1e-06)\n if fitted.fun < best_score:\n best_score = fitted.fun\n best_fit = fitted\n w = direction(best_fit.x[0], best_fit.x[1])\n return w, C(w, Xs) + t, r(w, Xs), best_fit.fun\n",
"role": "user"
},
{
"content": "fit",
"role": "assistant"
}
] |
def x(self, bootstrap_servers='127.0.0.1:9092', client_id='Robot', **kwargs):
self.producer = KafkaProducer(bootstrap_servers=bootstrap_servers,
client_id=client_id, **kwargs)
|
connect_producer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bootstrap_servers='127.0.0.1:9092', client_id='Robot', **kwargs):\n self.producer = KafkaProducer(bootstrap_servers=bootstrap_servers,\n client_id=client_id, **kwargs)\n",
"role": "user"
},
{
"content": "connect_producer",
"role": "assistant"
}
] |
def x(self, topic, value=None, timeout=60, key=None, partition=None,
timestamp_ms=None):
future = self.producer.send(topic, value=value, key=key, partition=
partition, timestamp_ms=timestamp_ms)
future.get(timeout=timeout)
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, topic, value=None, timeout=60, key=None, partition=None,\n timestamp_ms=None):\n future = self.producer.send(topic, value=value, key=key, partition=\n partition, timestamp_ms=timestamp_ms)\n future.get(timeout=timeout)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self, bootstrap_servers='127.0.0.1:9092', client_id='Robot', group_id
=None, auto_offset_reset='latest', enable_auto_commit=True, **kwargs):
self.consumer = KafkaConsumer(bootstrap_servers=bootstrap_servers,
auto_offset_reset=auto_offset_reset, client_id=client_id, group_id=
group_id, enable_auto_commit=enable_auto_commit, **kwargs)
|
connect_consumer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bootstrap_servers='127.0.0.1:9092', client_id='Robot', group_id\n =None, auto_offset_reset='latest', enable_auto_commit=True, **kwargs):\n self.consumer = KafkaConsumer(bootstrap_servers=bootstrap_servers,\n auto_offset_reset=auto_offset_reset, client_id=client_id, group_id=\n group_id, enable_auto_commit=enable_auto_commit, **kwargs)\n",
"role": "user"
},
{
"content": "connect_consumer",
"role": "assistant"
}
] |
def x(self, topic_partition=None):
if isinstance(topic_partition, TopicPartition):
topic_partition = [topic_partition]
if not self._is_assigned(topic_partition):
self.consumer.assign(topic_partition)
|
assign_to_topic_partition
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, topic_partition=None):\n if isinstance(topic_partition, TopicPartition):\n topic_partition = [topic_partition]\n if not self._is_assigned(topic_partition):\n self.consumer.assign(topic_partition)\n",
"role": "user"
},
{
"content": "assign_to_topic_partition",
"role": "assistant"
}
] |
def x(self, topics=[], pattern=None):
if not isinstance(topics, list):
topics = [topics]
self.consumer.subscribe(topics, pattern=pattern)
|
subscribe_topic
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, topics=[], pattern=None):\n if not isinstance(topics, list):\n topics = [topics]\n self.consumer.subscribe(topics, pattern=pattern)\n",
"role": "user"
},
{
"content": "subscribe_topic",
"role": "assistant"
}
] |
def x(self, topic_partition=None):
if isinstance(topic_partition, TopicPartition):
return self.consumer.position(topic_partition)
else:
raise TypeError(
'topic_partition must be of type TopicPartition, create it with Create TopicPartition keyword.'
)
|
get_position
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, topic_partition=None):\n if isinstance(topic_partition, TopicPartition):\n return self.consumer.position(topic_partition)\n else:\n raise TypeError(\n 'topic_partition must be of type TopicPartition, create it with Create TopicPartition keyword.'\n )\n",
"role": "user"
},
{
"content": "get_position",
"role": "assistant"
}
] |
def x(self, offset, topic_partition=None):
if isinstance(topic_partition, TopicPartition):
self.consumer.seek(topic_partition, offset=offset)
else:
raise TypeError(
'topic_partition must be of type TopicPartition, create it with Create TopicPartition keyword.'
)
|
seek
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, offset, topic_partition=None):\n if isinstance(topic_partition, TopicPartition):\n self.consumer.seek(topic_partition, offset=offset)\n else:\n raise TypeError(\n 'topic_partition must be of type TopicPartition, create it with Create TopicPartition keyword.'\n )\n",
"role": "user"
},
{
"content": "seek",
"role": "assistant"
}
] |
def x(self, topic_partition=None):
if isinstance(topic_partition, TopicPartition):
self.consumer.seek_to_beginning(topic_partition)
else:
raise TypeError(
'topic_partition must be of type TopicPartition, create it with Create TopicPartition keyword.'
)
|
seek_to_beginning
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, topic_partition=None):\n if isinstance(topic_partition, TopicPartition):\n self.consumer.seek_to_beginning(topic_partition)\n else:\n raise TypeError(\n 'topic_partition must be of type TopicPartition, create it with Create TopicPartition keyword.'\n )\n",
"role": "user"
},
{
"content": "seek_to_beginning",
"role": "assistant"
}
] |
def x(self, topic_partition=None):
if isinstance(topic_partition, TopicPartition):
self.consumer.seek_to_end(topic_partition)
else:
raise TypeError(
'topic_partition must be of type TopicPartition, create it with Create TopicPartition keyword.'
)
|
seek_to_end
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, topic_partition=None):\n if isinstance(topic_partition, TopicPartition):\n self.consumer.seek_to_end(topic_partition)\n else:\n raise TypeError(\n 'topic_partition must be of type TopicPartition, create it with Create TopicPartition keyword.'\n )\n",
"role": "user"
},
{
"content": "seek_to_end",
"role": "assistant"
}
] |
def x(self, topics):
if not isinstance(topics, list):
topics = [topics]
number_of_messages = 0
for t in topics:
part = self.get_kafka_partitions_for_topic(topic=t)
Partitions = map(lambda p: TopicPartition(topic=t, partition=p), part)
number_of_messages += self.get_number_of_messages_in_topicpartition(
Partitions)
return number_of_messages
|
get_number_of_messages_in_topics
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, topics):\n if not isinstance(topics, list):\n topics = [topics]\n number_of_messages = 0\n for t in topics:\n part = self.get_kafka_partitions_for_topic(topic=t)\n Partitions = map(lambda p: TopicPartition(topic=t, partition=p), part)\n number_of_messages += self.get_number_of_messages_in_topicpartition(\n Partitions)\n return number_of_messages\n",
"role": "user"
},
{
"content": "get_number_of_messages_in_topics",
"role": "assistant"
}
] |
def x(self, topic_partition=None):
if isinstance(topic_partition, TopicPartition):
topic_partition = [topic_partition]
number_of_messages = 0
assignment = self.consumer.assignment()
self.consumer.unsubscribe()
for Partition in topic_partition:
if not isinstance(Partition, TopicPartition):
raise TypeError(
'topic_partition must be of type TopicPartition, create it with Create TopicPartition keyword.'
)
self.assign_to_topic_partition(Partition)
self.consumer.seek_to_end(Partition)
end = self.consumer.position(Partition)
self.consumer.seek_to_beginning(Partition)
start = self.consumer.position(Partition)
number_of_messages += end - start
self.consumer.unsubscribe()
self.consumer.assign(assignment)
return number_of_messages
|
get_number_of_messages_in_topicpartition
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, topic_partition=None):\n if isinstance(topic_partition, TopicPartition):\n topic_partition = [topic_partition]\n number_of_messages = 0\n assignment = self.consumer.assignment()\n self.consumer.unsubscribe()\n for Partition in topic_partition:\n if not isinstance(Partition, TopicPartition):\n raise TypeError(\n 'topic_partition must be of type TopicPartition, create it with Create TopicPartition keyword.'\n )\n self.assign_to_topic_partition(Partition)\n self.consumer.seek_to_end(Partition)\n end = self.consumer.position(Partition)\n self.consumer.seek_to_beginning(Partition)\n start = self.consumer.position(Partition)\n number_of_messages += end - start\n self.consumer.unsubscribe()\n self.consumer.assign(assignment)\n return number_of_messages\n",
"role": "user"
},
{
"content": "get_number_of_messages_in_topicpartition",
"role": "assistant"
}
] |
def x(self, timeout_ms=0, max_records=None):
messages = self.consumer.poll(timeout_ms=timeout_ms, max_records=
max_records)
result = []
for _, msg in messages.items():
for item in msg:
result.append(item)
return result
|
poll
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout_ms=0, max_records=None):\n messages = self.consumer.poll(timeout_ms=timeout_ms, max_records=\n max_records)\n result = []\n for _, msg in messages.items():\n for item in msg:\n result.append(item)\n return result\n",
"role": "user"
},
{
"content": "poll",
"role": "assistant"
}
] |
def x(self, request, key):
try:
email_val = EmailAddressValidation.objects.get(validation_key=key)
except EmailAddressValidation.DoesNotExist:
messages.error(request, _(
'The email address you are trying to verify either has already been verified or does not exist.'
))
return redirect('/')
try:
email = EmailAddress.objects.get(address=email_val.address)
except EmailAddress.DoesNotExist:
email = EmailAddress(address=email_val.address)
if email.user and email.user.is_active:
messages.error(request, _(
'The email address you are trying to verify is already an active email address.'
))
email_val.delete()
return redirect('/')
email.user = email_val.user
email.save()
email_val.delete()
user = User.objects.get(username=email.user.username)
user.is_active = True
user.save()
messages.success(request, _('Email address verified!'))
return redirect('user_profile', username=email_val.user.username)
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, key):\n try:\n email_val = EmailAddressValidation.objects.get(validation_key=key)\n except EmailAddressValidation.DoesNotExist:\n messages.error(request, _(\n 'The email address you are trying to verify either has already been verified or does not exist.'\n ))\n return redirect('/')\n try:\n email = EmailAddress.objects.get(address=email_val.address)\n except EmailAddress.DoesNotExist:\n email = EmailAddress(address=email_val.address)\n if email.user and email.user.is_active:\n messages.error(request, _(\n 'The email address you are trying to verify is already an active email address.'\n ))\n email_val.delete()\n return redirect('/')\n email.user = email_val.user\n email.save()\n email_val.delete()\n user = User.objects.get(username=email.user.username)\n user.is_active = True\n user.save()\n messages.success(request, _('Email address verified!'))\n return redirect('user_profile', username=email_val.user.username)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, request, key):
request.DELETE = http.QueryDict(request.body)
email_addr = request.DELETE.get('email')
user_id = request.DELETE.get('user')
if not email_addr:
return http.HttpResponseBadRequest()
try:
email = EmailAddressValidation.objects.get(address=email_addr,
user_id=user_id)
except EmailAddressValidation.DoesNotExist:
pass
else:
email.delete()
return http.HttpResponse(status=204)
try:
email = EmailAddress.objects.get(address=email_addr, user_id=user_id)
except EmailAddress.DoesNotExist:
raise http.Http404
email.user = None
email.save()
return http.HttpResponse(status=204)
|
delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, key):\n request.DELETE = http.QueryDict(request.body)\n email_addr = request.DELETE.get('email')\n user_id = request.DELETE.get('user')\n if not email_addr:\n return http.HttpResponseBadRequest()\n try:\n email = EmailAddressValidation.objects.get(address=email_addr,\n user_id=user_id)\n except EmailAddressValidation.DoesNotExist:\n pass\n else:\n email.delete()\n return http.HttpResponse(status=204)\n try:\n email = EmailAddress.objects.get(address=email_addr, user_id=user_id)\n except EmailAddress.DoesNotExist:\n raise http.Http404\n email.user = None\n email.save()\n return http.HttpResponse(status=204)\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, request, key):
request.UPDATE = http.QueryDict(request.body)
email_addr = request.UPDATE.get('email')
user_id = request.UPDATE.get('user')
if not email_addr:
return http.HttpResponseBadRequest()
try:
email = EmailAddress.objects.get(address=email_addr, user_id=user_id)
except EmailAddress.DoesNotExist:
raise http.Http404
email.user.email = email_addr
email.user.save()
return http.HttpResponse(status=204)
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, key):\n request.UPDATE = http.QueryDict(request.body)\n email_addr = request.UPDATE.get('email')\n user_id = request.UPDATE.get('user')\n if not email_addr:\n return http.HttpResponseBadRequest()\n try:\n email = EmailAddress.objects.get(address=email_addr, user_id=user_id)\n except EmailAddress.DoesNotExist:\n raise http.Http404\n email.user.email = email_addr\n email.user.save()\n return http.HttpResponse(status=204)\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, user):
response = None
if user.is_authenticated():
if not user.needs_update:
response = redirect('user_profile', username=user.username)
return response
|
is_logged
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user):\n response = None\n if user.is_authenticated():\n if not user.needs_update:\n response = redirect('user_profile', username=user.username)\n return response\n",
"role": "user"
},
{
"content": "is_logged",
"role": "assistant"
}
] |
def x(setting):
try:
return os.environ[setting]
except KeyError:
error_msg = 'Set the %s env variable' % setting
raise ImproperlyConfigured(error_msg)
|
get_env_setting
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(setting):\n try:\n return os.environ[setting]\n except KeyError:\n error_msg = 'Set the %s env variable' % setting\n raise ImproperlyConfigured(error_msg)\n",
"role": "user"
},
{
"content": "get_env_setting",
"role": "assistant"
}
] |
def x(json_string, object_type, mappers):
obj = json.loads(json_string, cls=JsonDecoder, object_mapper=mappers.
get(object_type, None))
if obj is not None:
try:
obj = object_type(**obj)
except TypeError:
initialize_dict, set_needed = Utils.make_initialize_dict(obj,
object_type.__init__)
o = object_type(**initialize_dict)
if set_needed:
for key, value in obj.items():
setattr(o, key, value)
obj = o
return obj
|
parse_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(json_string, object_type, mappers):\n obj = json.loads(json_string, cls=JsonDecoder, object_mapper=mappers.\n get(object_type, None))\n if obj is not None:\n try:\n obj = object_type(**obj)\n except TypeError:\n initialize_dict, set_needed = Utils.make_initialize_dict(obj,\n object_type.__init__)\n o = object_type(**initialize_dict)\n if set_needed:\n for key, value in obj.items():\n setattr(o, key, value)\n obj = o\n return obj\n",
"role": "user"
},
{
"content": "parse_json",
"role": "assistant"
}
] |
def x(account, url):
request = urllib2.Request(urlparse.urljoin(url, account))
request.get_method = lambda : 'HEAD'
try:
response = urllib2.urlopen(request)
except urllib2.HTTPError:
return False
return response.code == 200
|
validate_social_account
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(account, url):\n request = urllib2.Request(urlparse.urljoin(url, account))\n request.get_method = lambda : 'HEAD'\n try:\n response = urllib2.urlopen(request)\n except urllib2.HTTPError:\n return False\n return response.code == 200\n",
"role": "user"
},
{
"content": "validate_social_account",
"role": "assistant"
}
] |
def x(w_fit, C_fit, r_fit, Xs):
return np.sqrt(sum((geometry.point_line_distance(p, C_fit, w_fit) -
r_fit) ** 2 for p in Xs) / len(Xs))
|
fitting_rmsd
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(w_fit, C_fit, r_fit, Xs):\n return np.sqrt(sum((geometry.point_line_distance(p, C_fit, w_fit) -\n r_fit) ** 2 for p in Xs) / len(Xs))\n",
"role": "user"
},
{
"content": "fitting_rmsd",
"role": "assistant"
}
] |
def x(response, buf_size=ijson.backend.BUFSIZE):
lexer = iter(IncrementalJsonParser.lexer(response, buf_size))
for value in ijson.backend.parse_value(lexer):
yield value
try:
next(lexer)
except StopIteration:
pass
else:
raise ijson.common.JSONError('Additional data')
|
basic_parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(response, buf_size=ijson.backend.BUFSIZE):\n lexer = iter(IncrementalJsonParser.lexer(response, buf_size))\n for value in ijson.backend.parse_value(lexer):\n yield value\n try:\n next(lexer)\n except StopIteration:\n pass\n else:\n raise ijson.common.JSONError('Additional data')\n",
"role": "user"
},
{
"content": "basic_parse",
"role": "assistant"
}
] |
def x(self, bootstrap_servers='127.0.0.1:9092', auto_offset_reset='latest',
client_id='Robot', **kwargs):
self.connect_consumer(bootstrap_servers=bootstrap_servers,
auto_offset_reset=auto_offset_reset, client_id=client_id, **kwargs)
self.connect_producer(bootstrap_servers=bootstrap_servers, client_id=
client_id)
|
connect_to_kafka
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bootstrap_servers='127.0.0.1:9092', auto_offset_reset='latest',\n client_id='Robot', **kwargs):\n self.connect_consumer(bootstrap_servers=bootstrap_servers,\n auto_offset_reset=auto_offset_reset, client_id=client_id, **kwargs)\n self.connect_producer(bootstrap_servers=bootstrap_servers, client_id=\n client_id)\n",
"role": "user"
},
{
"content": "connect_to_kafka",
"role": "assistant"
}
] |
def x(self, name, database=None):
request_executor = self._store.get_request_executor(database)
command = DropSubscriptionConnectionCommand(name)
request_executor.execute(command)
|
drop_connection
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, database=None):\n request_executor = self._store.get_request_executor(database)\n command = DropSubscriptionConnectionCommand(name)\n request_executor.execute(command)\n",
"role": "user"
},
{
"content": "drop_connection",
"role": "assistant"
}
] |
def x(argv=None):
os.environ.setdefault('DJANGO_SETTINGS_MODULE', 'colab.settings')
from django.conf import settings
if not hasattr(settings, 'SECRET_KEY') and 'initconfig' in sys.argv:
command = initconfig.Command()
command.handle()
else:
utility = ManagementUtility(argv)
utility.execute()
|
execute_from_command_line
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(argv=None):\n os.environ.setdefault('DJANGO_SETTINGS_MODULE', 'colab.settings')\n from django.conf import settings\n if not hasattr(settings, 'SECRET_KEY') and 'initconfig' in sys.argv:\n command = initconfig.Command()\n command.handle()\n else:\n utility = ManagementUtility(argv)\n utility.execute()\n",
"role": "user"
},
{
"content": "execute_from_command_line",
"role": "assistant"
}
] |
def x(request):
user = None
if request.user.is_authenticated():
user = User.objects.get(username=request.user)
latest_results, count_types = get_collaboration_data(user)
latest_results.sort(key=lambda elem: elem.modified, reverse=True)
context = {'type_count': count_types, 'latest_results': latest_results[:6]}
return render(request, 'home.html', context)
|
dashboard
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n user = None\n if request.user.is_authenticated():\n user = User.objects.get(username=request.user)\n latest_results, count_types = get_collaboration_data(user)\n latest_results.sort(key=lambda elem: elem.modified, reverse=True)\n context = {'type_count': count_types, 'latest_results': latest_results[:6]}\n return render(request, 'home.html', context)\n",
"role": "user"
},
{
"content": "dashboard",
"role": "assistant"
}
] |
def x(v):
if 0 == np.linalg.norm(v):
return v
return v / np.linalg.norm(v)
|
normalize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(v):\n if 0 == np.linalg.norm(v):\n return v\n return v / np.linalg.norm(v)\n",
"role": "user"
},
{
"content": "normalize",
"role": "assistant"
}
] |
def x(u, theta):
x = u[0]
y = u[1]
z = u[2]
s = np.sin(theta)
c = np.cos(theta)
return np.array([[c + x ** 2 * (1 - c), x * y * (1 - c) - z * s, x * z *
(1 - c) + y * s], [y * x * (1 - c) + z * s, c + y ** 2 * (1 - c), y *
z * (1 - c) - x * s], [z * x * (1 - c) - y * s, z * y * (1 - c) + x *
s, c + z ** 2 * (1 - c)]])
|
rotation_matrix_from_axis_and_angle
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(u, theta):\n x = u[0]\n y = u[1]\n z = u[2]\n s = np.sin(theta)\n c = np.cos(theta)\n return np.array([[c + x ** 2 * (1 - c), x * y * (1 - c) - z * s, x * z *\n (1 - c) + y * s], [y * x * (1 - c) + z * s, c + y ** 2 * (1 - c), y *\n z * (1 - c) - x * s], [z * x * (1 - c) - y * s, z * y * (1 - c) + x *\n s, c + z ** 2 * (1 - c)]])\n",
"role": "user"
},
{
"content": "rotation_matrix_from_axis_and_angle",
"role": "assistant"
}
] |
def x(p, l_p, l_v):
l_v = normalize(l_v)
u = p - l_p
return np.linalg.norm(u - np.dot(u, l_v) * l_v)
|
point_line_distance
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p, l_p, l_v):\n l_v = normalize(l_v)\n u = p - l_p\n return np.linalg.norm(u - np.dot(u, l_v) * l_v)\n",
"role": "user"
},
{
"content": "point_line_distance",
"role": "assistant"
}
] |
def x(self, query, query_parameters=None):
self.assert_no_raw_query()
if len(self._where_tokens) != 0 or len(self._select_tokens) != 0 or len(
self._order_by_tokens) != 0 or len(self._group_by_tokens) != 0:
raise InvalidOperationException(
'You can only use raw_query on a new query, without applying any operations (such as where, select, order_by, group_by, etc)'
)
if query_parameters:
self.query_parameters = query_parameters
self._query = query
return self
|
raw_query
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query, query_parameters=None):\n self.assert_no_raw_query()\n if len(self._where_tokens) != 0 or len(self._select_tokens) != 0 or len(\n self._order_by_tokens) != 0 or len(self._group_by_tokens) != 0:\n raise InvalidOperationException(\n 'You can only use raw_query on a new query, without applying any operations (such as where, select, order_by, group_by, etc)'\n )\n if query_parameters:\n self.query_parameters = query_parameters\n self._query = query\n return self\n",
"role": "user"
},
{
"content": "raw_query",
"role": "assistant"
}
] |
def x(self, field_name, value, exact=False):
if field_name is None:
raise ValueError('None field_name is invalid')
field_name = Query.escape_if_needed(field_name)
self._add_operator_if_needed()
token = 'equals'
if self.negate:
self.negate = False
token = 'not_equals'
self.last_equality = {field_name: value}
token = _Token(field_name=field_name, value=self.add_query_parameter(
value), token=token, exact=exact)
token.write = self.rql_where_write(token)
self._where_tokens.append(token)
return self
|
where_equals
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field_name, value, exact=False):\n if field_name is None:\n raise ValueError('None field_name is invalid')\n field_name = Query.escape_if_needed(field_name)\n self._add_operator_if_needed()\n token = 'equals'\n if self.negate:\n self.negate = False\n token = 'not_equals'\n self.last_equality = {field_name: value}\n token = _Token(field_name=field_name, value=self.add_query_parameter(\n value), token=token, exact=exact)\n token.write = self.rql_where_write(token)\n self._where_tokens.append(token)\n return self\n",
"role": "user"
},
{
"content": "where_equals",
"role": "assistant"
}
] |
def x(self, exact=False, **kwargs):
for field_name in kwargs:
if isinstance(kwargs[field_name], list):
self.where_in(field_name, kwargs[field_name], exact)
else:
self.where_equals(field_name, kwargs[field_name], exact)
return self
|
where
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, exact=False, **kwargs):\n for field_name in kwargs:\n if isinstance(kwargs[field_name], list):\n self.where_in(field_name, kwargs[field_name], exact)\n else:\n self.where_equals(field_name, kwargs[field_name], exact)\n return self\n",
"role": "user"
},
{
"content": "where",
"role": "assistant"
}
] |
def x(self, field_name, search_terms, operator=QueryOperator.OR):
if field_name is None:
raise ValueError('None field_name is invalid')
field_name = Query.escape_if_needed(field_name)
self._add_operator_if_needed()
self.negate_if_needed(field_name)
self.last_equality = {field_name: '(' + search_terms + ')' if ' ' in
search_terms else search_terms}
token = _Token(field_name=field_name, token='search', value=self.
add_query_parameter(search_terms), search_operator=operator)
token.write = self.rql_where_write(token)
self._where_tokens.append(token)
return self
|
search
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field_name, search_terms, operator=QueryOperator.OR):\n if field_name is None:\n raise ValueError('None field_name is invalid')\n field_name = Query.escape_if_needed(field_name)\n self._add_operator_if_needed()\n self.negate_if_needed(field_name)\n self.last_equality = {field_name: '(' + search_terms + ')' if ' ' in\n search_terms else search_terms}\n token = _Token(field_name=field_name, token='search', value=self.\n add_query_parameter(search_terms), search_operator=operator)\n token.write = self.rql_where_write(token)\n self._where_tokens.append(token)\n return self\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x(self, field_name, value):
if field_name is None:
raise ValueError('None field_name is invalid')
field_name = Query.escape_if_needed(field_name)
self._add_operator_if_needed()
self.negate_if_needed(field_name)
self.last_equality = {field_name: value}
token = _Token(field_name=field_name, token='endsWith', value=self.
add_query_parameter(value))
token.write = self.rql_where_write(token)
self._where_tokens.append(token)
return self
|
where_ends_with
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field_name, value):\n if field_name is None:\n raise ValueError('None field_name is invalid')\n field_name = Query.escape_if_needed(field_name)\n self._add_operator_if_needed()\n self.negate_if_needed(field_name)\n self.last_equality = {field_name: value}\n token = _Token(field_name=field_name, token='endsWith', value=self.\n add_query_parameter(value))\n token.write = self.rql_where_write(token)\n self._where_tokens.append(token)\n return self\n",
"role": "user"
},
{
"content": "where_ends_with",
"role": "assistant"
}
] |
def x(self, field_name, values, exact=False):
field_name = Query.escape_if_needed(field_name)
self._add_operator_if_needed()
self.negate_if_needed(field_name)
token = _Token(field_name=field_name, value=self.add_query_parameter(
list(Utils.unpack_iterable(values))), token='in', exact=exact)
token.write = self.rql_where_write(token)
self._where_tokens.append(token)
return self
|
where_in
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field_name, values, exact=False):\n field_name = Query.escape_if_needed(field_name)\n self._add_operator_if_needed()\n self.negate_if_needed(field_name)\n token = _Token(field_name=field_name, value=self.add_query_parameter(\n list(Utils.unpack_iterable(values))), token='in', exact=exact)\n token.write = self.rql_where_write(token)\n self._where_tokens.append(token)\n return self\n",
"role": "user"
},
{
"content": "where_in",
"role": "assistant"
}
] |
def x(self, facets, start=0, page_size=None):
if len(facets) == 0:
raise ValueError('Facets must contain at least one entry', 'facets')
str_query = self.__str__()
facet_query = FacetQuery(str_query, None, facets, start, page_size,
query_parameters=self.query_parameters, wait_for_non_stale_results=
self.wait_for_non_stale_results, wait_for_non_stale_results_timeout
=self.timeout, cutoff_etag=self.cutoff_etag)
command = GetFacetsCommand(query=facet_query)
return self.session.requests_executor.execute(command)
|
to_facets
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, facets, start=0, page_size=None):\n if len(facets) == 0:\n raise ValueError('Facets must contain at least one entry', 'facets')\n str_query = self.__str__()\n facet_query = FacetQuery(str_query, None, facets, start, page_size,\n query_parameters=self.query_parameters, wait_for_non_stale_results=\n self.wait_for_non_stale_results, wait_for_non_stale_results_timeout\n =self.timeout, cutoff_etag=self.cutoff_etag)\n command = GetFacetsCommand(query=facet_query)\n return self.session.requests_executor.execute(command)\n",
"role": "user"
},
{
"content": "to_facets",
"role": "assistant"
}
] |
def x(data):
Xs, t = fitting.preprocess_data(data)
Theta, Phi = np.meshgrid(np.linspace(0, np.pi, 50), np.linspace(0, 2 *
np.pi, 50))
G = []
for i in range(len(Theta)):
G.append([])
for j in range(len(Theta[i])):
w = fitting.direction(Theta[i][j], Phi[i][j])
G[-1].append(fitting.G(w, Xs))
plt.imshow(G, extent=[0, np.pi, 0, 2 * np.pi], origin='lower')
plt.show()
|
show_G_distribution
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n Xs, t = fitting.preprocess_data(data)\n Theta, Phi = np.meshgrid(np.linspace(0, np.pi, 50), np.linspace(0, 2 *\n np.pi, 50))\n G = []\n for i in range(len(Theta)):\n G.append([])\n for j in range(len(Theta[i])):\n w = fitting.direction(Theta[i][j], Phi[i][j])\n G[-1].append(fitting.G(w, Xs))\n plt.imshow(G, extent=[0, np.pi, 0, 2 * np.pi], origin='lower')\n plt.show()\n",
"role": "user"
},
{
"content": "show_G_distribution",
"role": "assistant"
}
] |
def x(w_fit, C_fit, r_fit, Xs):
fig = plt.figure()
ax = fig.gca(projection='3d')
ax.scatter([X[0] for X in Xs], [X[1] for X in Xs], [X[2] for X in Xs])
theta = np.arccos(np.dot(w_fit, np.array([0, 0, 1])))
phi = np.arctan2(w_fit[1], w_fit[0])
M = np.dot(rotation_matrix_from_axis_and_angle(np.array([0, 0, 1]), phi
), rotation_matrix_from_axis_and_angle(np.array([0, 1, 0]), theta))
delta = np.linspace(-np.pi, np.pi, 20)
z = np.linspace(-10, 10, 20)
Delta, Z = np.meshgrid(delta, z)
X = r_fit * np.cos(Delta)
Y = r_fit * np.sin(Delta)
for i in range(len(X)):
for j in range(len(X[i])):
p = np.dot(M, np.array([X[i][j], Y[i][j], Z[i][j]])) + C_fit
X[i][j] = p[0]
Y[i][j] = p[1]
Z[i][j] = p[2]
ax.plot_surface(X, Y, Z, alpha=0.2)
ax.quiver(C_fit[0], C_fit[1], C_fit[2], r_fit * w_fit[0], r_fit * w_fit
[1], r_fit * w_fit[2], color='red')
plt.show()
|
show_fit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(w_fit, C_fit, r_fit, Xs):\n fig = plt.figure()\n ax = fig.gca(projection='3d')\n ax.scatter([X[0] for X in Xs], [X[1] for X in Xs], [X[2] for X in Xs])\n theta = np.arccos(np.dot(w_fit, np.array([0, 0, 1])))\n phi = np.arctan2(w_fit[1], w_fit[0])\n M = np.dot(rotation_matrix_from_axis_and_angle(np.array([0, 0, 1]), phi\n ), rotation_matrix_from_axis_and_angle(np.array([0, 1, 0]), theta))\n delta = np.linspace(-np.pi, np.pi, 20)\n z = np.linspace(-10, 10, 20)\n Delta, Z = np.meshgrid(delta, z)\n X = r_fit * np.cos(Delta)\n Y = r_fit * np.sin(Delta)\n for i in range(len(X)):\n for j in range(len(X[i])):\n p = np.dot(M, np.array([X[i][j], Y[i][j], Z[i][j]])) + C_fit\n X[i][j] = p[0]\n Y[i][j] = p[1]\n Z[i][j] = p[2]\n ax.plot_surface(X, Y, Z, alpha=0.2)\n ax.quiver(C_fit[0], C_fit[1], C_fit[2], r_fit * w_fit[0], r_fit * w_fit\n [1], r_fit * w_fit[2], color='red')\n plt.show()\n",
"role": "user"
},
{
"content": "show_fit",
"role": "assistant"
}
] |
def x(self, highlight_locations):
if len(self.text_block) <= self.max_length:
return 0, self.max_length
num_chars_before = getattr(settings, 'HIGHLIGHT_NUM_CHARS_BEFORE_MATCH', 0)
best_start, best_end = super(ColabHighlighter, self).find_window(
highlight_locations)
if best_start <= num_chars_before:
best_end -= best_start
best_start = 0
else:
best_start -= num_chars_before
best_end -= num_chars_before
return best_start, best_end
|
find_window
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, highlight_locations):\n if len(self.text_block) <= self.max_length:\n return 0, self.max_length\n num_chars_before = getattr(settings, 'HIGHLIGHT_NUM_CHARS_BEFORE_MATCH', 0)\n best_start, best_end = super(ColabHighlighter, self).find_window(\n highlight_locations)\n if best_start <= num_chars_before:\n best_end -= best_start\n best_start = 0\n else:\n best_start -= num_chars_before\n best_end -= num_chars_before\n return best_start, best_end\n",
"role": "user"
},
{
"content": "find_window",
"role": "assistant"
}
] |
def x(self, key, real_value, coded_value):
morse_set = self.get(key, StringMorsel())
morse_set.set(key, real_value, coded_value)
dict.__setitem__(self, key, morse_set)
|
set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, real_value, coded_value):\n morse_set = self.get(key, StringMorsel())\n morse_set.set(key, real_value, coded_value)\n dict.__setitem__(self, key, morse_set)\n",
"role": "user"
},
{
"content": "set",
"role": "assistant"
}
] |
def x(self):
response = self.session.get(self.base_url + '/login_sid.lua', timeout=10)
xml = ET.fromstring(response.text)
if xml.find('SID').text == '0000000000000000':
challenge = xml.find('Challenge').text
url = self.base_url + '/login_sid.lua'
response = self.session.get(url, params={'username': self.username,
'response': self.calculate_response(challenge, self.password)},
timeout=10)
xml = ET.fromstring(response.text)
sid = xml.find('SID').text
if xml.find('SID').text == '0000000000000000':
blocktime = int(xml.find('BlockTime').text)
exc = Exception('Login failed, please wait {} seconds'.format(
blocktime))
exc.blocktime = blocktime
raise exc
self.sid = sid
return sid
|
login
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n response = self.session.get(self.base_url + '/login_sid.lua', timeout=10)\n xml = ET.fromstring(response.text)\n if xml.find('SID').text == '0000000000000000':\n challenge = xml.find('Challenge').text\n url = self.base_url + '/login_sid.lua'\n response = self.session.get(url, params={'username': self.username,\n 'response': self.calculate_response(challenge, self.password)},\n timeout=10)\n xml = ET.fromstring(response.text)\n sid = xml.find('SID').text\n if xml.find('SID').text == '0000000000000000':\n blocktime = int(xml.find('BlockTime').text)\n exc = Exception('Login failed, please wait {} seconds'.format(\n blocktime))\n exc.blocktime = blocktime\n raise exc\n self.sid = sid\n return sid\n",
"role": "user"
},
{
"content": "login",
"role": "assistant"
}
] |
def x(self, challenge, password):
to_hash = (challenge + '-' + password).encode('UTF-16LE')
hashed = hashlib.md5(to_hash).hexdigest()
return '{0}-{1}'.format(challenge, hashed)
|
calculate_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, challenge, password):\n to_hash = (challenge + '-' + password).encode('UTF-16LE')\n hashed = hashlib.md5(to_hash).hexdigest()\n return '{0}-{1}'.format(challenge, hashed)\n",
"role": "user"
},
{
"content": "calculate_response",
"role": "assistant"
}
] |
def x(self):
devices = self.homeautoswitch('getdevicelistinfos')
xml = ET.fromstring(devices)
actors = []
for device in xml.findall('device'):
actors.append(Actor(fritzbox=self, device=device))
return actors
|
get_actors
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n devices = self.homeautoswitch('getdevicelistinfos')\n xml = ET.fromstring(devices)\n actors = []\n for device in xml.findall('device'):\n actors.append(Actor(fritzbox=self, device=device))\n return actors\n",
"role": "user"
},
{
"content": "get_actors",
"role": "assistant"
}
] |
def x(self, ain):
for actor in self.get_actors():
if actor.actor_id == ain:
return actor
|
get_actor_by_ain
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ain):\n for actor in self.get_actors():\n if actor.actor_id == ain:\n return actor\n",
"role": "user"
},
{
"content": "get_actor_by_ain",
"role": "assistant"
}
] |
def x(self, cmd, ain=None, param=None):
assert self.sid, 'Not logged in'
params = {'switchcmd': cmd, 'sid': self.sid}
if param is not None:
params['param'] = param
if ain:
params['ain'] = ain
url = self.base_url + '/webservices/homeautoswitch.lua'
response = self.session.get(url, params=params, timeout=10)
response.raise_for_status()
return response.text.strip().encode('utf-8')
|
homeautoswitch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmd, ain=None, param=None):\n assert self.sid, 'Not logged in'\n params = {'switchcmd': cmd, 'sid': self.sid}\n if param is not None:\n params['param'] = param\n if ain:\n params['ain'] = ain\n url = self.base_url + '/webservices/homeautoswitch.lua'\n response = self.session.get(url, params=params, timeout=10)\n response.raise_for_status()\n return response.text.strip().encode('utf-8')\n",
"role": "user"
},
{
"content": "homeautoswitch",
"role": "assistant"
}
] |
def x(self):
actors = {}
for ain in self.homeautoswitch('getswitchlist').split(','):
actors[ain] = {'name': self.homeautoswitch('getswitchname', ain),
'state': bool(self.homeautoswitch('getswitchstate', ain)),
'present': bool(self.homeautoswitch('getswitchpresent', ain)),
'power': self.homeautoswitch('getswitchpower', ain), 'energy':
self.homeautoswitch('getswitchenergy', ain), 'temperature':
self.homeautoswitch('getswitchtemperature', ain)}
return actors
|
get_switch_actors
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n actors = {}\n for ain in self.homeautoswitch('getswitchlist').split(','):\n actors[ain] = {'name': self.homeautoswitch('getswitchname', ain),\n 'state': bool(self.homeautoswitch('getswitchstate', ain)),\n 'present': bool(self.homeautoswitch('getswitchpresent', ain)),\n 'power': self.homeautoswitch('getswitchpower', ain), 'energy':\n self.homeautoswitch('getswitchenergy', ain), 'temperature':\n self.homeautoswitch('getswitchtemperature', ain)}\n return actors\n",
"role": "user"
},
{
"content": "get_switch_actors",
"role": "assistant"
}
] |
def x(self):
url = self.base_url + '/net/home_auto_query.lua'
response = self.session.get(url, params={'sid': self.sid, 'command':
'AllOutletStates', 'xhr': 0}, timeout=15)
response.raise_for_status()
data = response.json()
count = int(data['Outlet_count'])
devices = []
for i in range(1, count + 1):
device = Device(int(data['DeviceID_{0}'.format(i)]), int(data[
'DeviceConnectState_{0}'.format(i)]), int(data[
'DeviceSwitchState_{0}'.format(i)]))
devices.append(device)
return devices
|
get_devices
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n url = self.base_url + '/net/home_auto_query.lua'\n response = self.session.get(url, params={'sid': self.sid, 'command':\n 'AllOutletStates', 'xhr': 0}, timeout=15)\n response.raise_for_status()\n data = response.json()\n count = int(data['Outlet_count'])\n devices = []\n for i in range(1, count + 1):\n device = Device(int(data['DeviceID_{0}'.format(i)]), int(data[\n 'DeviceConnectState_{0}'.format(i)]), int(data[\n 'DeviceSwitchState_{0}'.format(i)]))\n devices.append(device)\n return devices\n",
"role": "user"
},
{
"content": "get_devices",
"role": "assistant"
}
] |
def x(self, deviceid, timerange='10'):
tranges = '10', '24h', 'month', 'year'
if timerange not in tranges:
raise ValueError('Unknown timerange. Possible values are: {0}'.
format(tranges))
url = self.base_url + '/net/home_auto_query.lua'
response = self.session.get(url, params={'sid': self.sid, 'command':
'EnergyStats_{0}'.format(timerange), 'id': deviceid, 'xhr': 0},
timeout=15)
response.raise_for_status()
data = response.json()
result = {}
values_map = {'MM_Value_Amp': 'mm_value_amp', 'MM_Value_Power':
'mm_value_power', 'MM_Value_Volt': 'mm_value_volt',
'EnStats_average_value': 'enstats_average_value',
'EnStats_max_value': 'enstats_max_value', 'EnStats_min_value':
'enstats_min_value', 'EnStats_timer_type': 'enstats_timer_type',
'sum_Day': 'sum_day', 'sum_Month': 'sum_month', 'sum_Year': 'sum_year'}
for avm_key, py_key in values_map.items():
result[py_key] = int(data[avm_key])
count = int(data['EnStats_count'])
watt_values = [None for i in range(count)]
volt_values = [None for i in range(count)]
for i in range(1, count + 1):
watt_values[i - 1] = int(data['EnStats_watt_value_{}'.format(i)])
volt_values[i - 1] = int(data['EnStats_volt_value_{}'.format(i)])
result['watt_values'] = watt_values
result['volt_values'] = volt_values
return result
|
get_consumption
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, deviceid, timerange='10'):\n tranges = '10', '24h', 'month', 'year'\n if timerange not in tranges:\n raise ValueError('Unknown timerange. Possible values are: {0}'.\n format(tranges))\n url = self.base_url + '/net/home_auto_query.lua'\n response = self.session.get(url, params={'sid': self.sid, 'command':\n 'EnergyStats_{0}'.format(timerange), 'id': deviceid, 'xhr': 0},\n timeout=15)\n response.raise_for_status()\n data = response.json()\n result = {}\n values_map = {'MM_Value_Amp': 'mm_value_amp', 'MM_Value_Power':\n 'mm_value_power', 'MM_Value_Volt': 'mm_value_volt',\n 'EnStats_average_value': 'enstats_average_value',\n 'EnStats_max_value': 'enstats_max_value', 'EnStats_min_value':\n 'enstats_min_value', 'EnStats_timer_type': 'enstats_timer_type',\n 'sum_Day': 'sum_day', 'sum_Month': 'sum_month', 'sum_Year': 'sum_year'}\n for avm_key, py_key in values_map.items():\n result[py_key] = int(data[avm_key])\n count = int(data['EnStats_count'])\n watt_values = [None for i in range(count)]\n volt_values = [None for i in range(count)]\n for i in range(1, count + 1):\n watt_values[i - 1] = int(data['EnStats_watt_value_{}'.format(i)])\n volt_values[i - 1] = int(data['EnStats_volt_value_{}'.format(i)])\n result['watt_values'] = watt_values\n result['volt_values'] = volt_values\n return result\n",
"role": "user"
},
{
"content": "get_consumption",
"role": "assistant"
}
] |
def x(self):
assert BeautifulSoup, 'Please install bs4 to use this method'
url = self.base_url + '/system/syslog.lua'
response = self.session.get(url, params={'sid': self.sid, 'stylemode':
'print'}, timeout=15)
response.raise_for_status()
entries = []
tree = BeautifulSoup(response.text)
rows = tree.find('table').find_all('tr')
for row in rows:
columns = row.find_all('td')
date = columns[0].string
time = columns[1].string
message = columns[2].find('a').string
merged = '{} {} {}'.format(date, time, message.encode('UTF-8'))
msg_hash = hashlib.md5(merged).hexdigest()
entries.append(LogEntry(date, time, message, msg_hash))
return entries
|
get_logs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n assert BeautifulSoup, 'Please install bs4 to use this method'\n url = self.base_url + '/system/syslog.lua'\n response = self.session.get(url, params={'sid': self.sid, 'stylemode':\n 'print'}, timeout=15)\n response.raise_for_status()\n entries = []\n tree = BeautifulSoup(response.text)\n rows = tree.find('table').find_all('tr')\n for row in rows:\n columns = row.find_all('td')\n date = columns[0].string\n time = columns[1].string\n message = columns[2].find('a').string\n merged = '{} {} {}'.format(date, time, message.encode('UTF-8'))\n msg_hash = hashlib.md5(merged).hexdigest()\n entries.append(LogEntry(date, time, message, msg_hash))\n return entries\n",
"role": "user"
},
{
"content": "get_logs",
"role": "assistant"
}
] |
def x(id, nonce, timestamp):
key = '{id}:{n}:{ts}'.format(id=id, n=nonce, ts=timestamp)
if cache.get(key):
log.warning('replay attack? already processed nonce {k}'.format(k=key))
return True
else:
log.debug('caching nonce {k}'.format(k=key))
cache.set(key, True, timeout=getattr(settings,
'HAWK_MESSAGE_EXPIRATION', default_message_expiration) + 5)
return False
|
seen_nonce
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id, nonce, timestamp):\n key = '{id}:{n}:{ts}'.format(id=id, n=nonce, ts=timestamp)\n if cache.get(key):\n log.warning('replay attack? already processed nonce {k}'.format(k=key))\n return True\n else:\n log.debug('caching nonce {k}'.format(k=key))\n cache.set(key, True, timeout=getattr(settings,\n 'HAWK_MESSAGE_EXPIRATION', default_message_expiration) + 5)\n return False\n",
"role": "user"
},
{
"content": "seen_nonce",
"role": "assistant"
}
] |
def x(context, host, username, password):
context.obj = FritzBox(host, username, password)
|
cli
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context, host, username, password):\n context.obj = FritzBox(host, username, password)\n",
"role": "user"
},
{
"content": "cli",
"role": "assistant"
}
] |
def x(context):
fritz = context.obj
fritz.login()
for actor in fritz.get_actors():
click.echo('{} ({} {}; AIN {} )'.format(actor.name, actor.
manufacturer, actor.productname, actor.actor_id))
if actor.has_temperature:
click.echo('Temp: act {} target {}; battery (low): {}'.format(
actor.temperature, actor.target_temperature, actor.battery_low)
)
click.echo('Temp (via get): act {} target {}'.format(actor.
get_temperature(), actor.get_target_temperature()))
|
actors
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n fritz = context.obj\n fritz.login()\n for actor in fritz.get_actors():\n click.echo('{} ({} {}; AIN {} )'.format(actor.name, actor.\n manufacturer, actor.productname, actor.actor_id))\n if actor.has_temperature:\n click.echo('Temp: act {} target {}; battery (low): {}'.format(\n actor.temperature, actor.target_temperature, actor.battery_low)\n )\n click.echo('Temp (via get): act {} target {}'.format(actor.\n get_temperature(), actor.get_target_temperature()))\n",
"role": "user"
},
{
"content": "actors",
"role": "assistant"
}
] |
def x(context, features):
fritz = context.obj
fritz.login()
for actor in fritz.get_actors():
if actor.temperature is not None:
click.echo(
'{} ({}): {:.2f} Watt current, {:.3f} wH total, {:.2f} °C'.
format(actor.name.encode('utf-8'), actor.actor_id, (actor.
get_power() or 0.0) / 1000, (actor.get_energy() or 0.0) /
100, actor.temperature))
else:
click.echo('{} ({}): {:.2f} Watt current, {:.3f} wH total, offline'
.format(actor.name.encode('utf-8'), actor.actor_id, (actor.
get_power() or 0.0) / 1000, (actor.get_energy() or 0.0) / 100))
if features:
click.echo(' Features: PowerMeter: {}, Temperatur: {}, Switch: {}'
.format(actor.has_powermeter, actor.has_temperature, actor.
has_switch))
|
energy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context, features):\n fritz = context.obj\n fritz.login()\n for actor in fritz.get_actors():\n if actor.temperature is not None:\n click.echo(\n '{} ({}): {:.2f} Watt current, {:.3f} wH total, {:.2f} °C'.\n format(actor.name.encode('utf-8'), actor.actor_id, (actor.\n get_power() or 0.0) / 1000, (actor.get_energy() or 0.0) / \n 100, actor.temperature))\n else:\n click.echo('{} ({}): {:.2f} Watt current, {:.3f} wH total, offline'\n .format(actor.name.encode('utf-8'), actor.actor_id, (actor.\n get_power() or 0.0) / 1000, (actor.get_energy() or 0.0) / 100))\n if features:\n click.echo(' Features: PowerMeter: {}, Temperatur: {}, Switch: {}'\n .format(actor.has_powermeter, actor.has_temperature, actor.\n has_switch))\n",
"role": "user"
},
{
"content": "energy",
"role": "assistant"
}
] |
def x(context, server, port, interval, prefix):
fritz = context.obj
fritz.login()
sid_ttl = time.time() + 600
click.echo(' * Requesting actors list')
simple_chars = re.compile('[^A-Za-z0-9]+')
actors = fritz.get_actors()
keys = {}
for actor in actors:
keys[actor.name] = '{}.{}'.format(prefix, simple_chars.sub('_',
actor.name))
click.echo(' * Trying to connect to carbon')
timeout = 2
sock = socket.socket()
sock.settimeout(timeout)
try:
sock.connect((server, port))
except socket.timeout:
raise Exception('Took over {} second(s) to connect to {}'.format(
timeout, server))
except Exception as error:
raise Exception('unknown exception while connecting to {} - {}'.
format(server, error))
def x(key, value):
now = int(time.time())
payload = '{} {} {}\n'.format(key, value, now)
sock.sendall(payload)
while True:
if time.time() > sid_ttl:
click.echo(' * Requesting new SID')
fritz.login()
sid_ttl = time.time() + 600
click.echo(' * Requesting statistics')
for actor in actors:
power = actor.get_power()
total = actor.get_energy()
click.echo(' -> {}: {:.2f} Watt current, {:.3f} wH total'.
format(actor.name, power / 1000, total / 100))
send(keys[actor.name] + '.current', power)
send(keys[actor.name] + '.total', total)
time.sleep(interval)
|
graphite
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context, server, port, interval, prefix):\n fritz = context.obj\n fritz.login()\n sid_ttl = time.time() + 600\n click.echo(' * Requesting actors list')\n simple_chars = re.compile('[^A-Za-z0-9]+')\n actors = fritz.get_actors()\n keys = {}\n for actor in actors:\n keys[actor.name] = '{}.{}'.format(prefix, simple_chars.sub('_',\n actor.name))\n click.echo(' * Trying to connect to carbon')\n timeout = 2\n sock = socket.socket()\n sock.settimeout(timeout)\n try:\n sock.connect((server, port))\n except socket.timeout:\n raise Exception('Took over {} second(s) to connect to {}'.format(\n timeout, server))\n except Exception as error:\n raise Exception('unknown exception while connecting to {} - {}'.\n format(server, error))\n\n def x(key, value):\n now = int(time.time())\n payload = '{} {} {}\\n'.format(key, value, now)\n sock.sendall(payload)\n while True:\n if time.time() > sid_ttl:\n click.echo(' * Requesting new SID')\n fritz.login()\n sid_ttl = time.time() + 600\n click.echo(' * Requesting statistics')\n for actor in actors:\n power = actor.get_power()\n total = actor.get_energy()\n click.echo(' -> {}: {:.2f} Watt current, {:.3f} wH total'.\n format(actor.name, power / 1000, total / 100))\n send(keys[actor.name] + '.current', power)\n send(keys[actor.name] + '.total', total)\n time.sleep(interval)\n",
"role": "user"
},
{
"content": "graphite",
"role": "assistant"
}
] |
def x(context, ain):
context.obj.login()
actor = context.obj.get_actor_by_ain(ain)
if actor:
click.echo('Switching {} on'.format(actor.name))
actor.switch_on()
else:
click.echo('Actor not found: {}'.format(ain))
|
switch_on
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context, ain):\n context.obj.login()\n actor = context.obj.get_actor_by_ain(ain)\n if actor:\n click.echo('Switching {} on'.format(actor.name))\n actor.switch_on()\n else:\n click.echo('Actor not found: {}'.format(ain))\n",
"role": "user"
},
{
"content": "switch_on",
"role": "assistant"
}
] |
def x(context, ain):
context.obj.login()
actor = context.obj.get_actor_by_ain(ain)
if actor:
click.echo('State for {} is: {}'.format(ain, 'ON' if actor.
get_state() else 'OFF'))
else:
click.echo('Actor not found: {}'.format(ain))
|
switch_state
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context, ain):\n context.obj.login()\n actor = context.obj.get_actor_by_ain(ain)\n if actor:\n click.echo('State for {} is: {}'.format(ain, 'ON' if actor.\n get_state() else 'OFF'))\n else:\n click.echo('Actor not found: {}'.format(ain))\n",
"role": "user"
},
{
"content": "switch_state",
"role": "assistant"
}
] |
def x(context, ain):
context.obj.login()
actor = context.obj.get_actor_by_ain(ain)
if actor:
if actor.get_state():
actor.switch_off()
click.echo('State for {} is now OFF'.format(ain))
else:
actor.switch_on()
click.echo('State for {} is now ON'.format(ain))
else:
click.echo('Actor not found: {}'.format(ain))
|
switch_toggle
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context, ain):\n context.obj.login()\n actor = context.obj.get_actor_by_ain(ain)\n if actor:\n if actor.get_state():\n actor.switch_off()\n click.echo('State for {} is now OFF'.format(ain))\n else:\n actor.switch_on()\n click.echo('State for {} is now ON'.format(ain))\n else:\n click.echo('Actor not found: {}'.format(ain))\n",
"role": "user"
},
{
"content": "switch_toggle",
"role": "assistant"
}
] |
def x(context, format):
fritz = context.obj
fritz.login()
messages = fritz.get_logs()
if format == 'plain':
for msg in messages:
merged = '{} {} {}'.format(msg.date, msg.time, msg.message.
encode('UTF-8'))
click.echo(merged)
if format == 'json':
entries = [msg._asdict() for msg in messages]
click.echo(json.dumps({'entries': entries}))
|
logs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context, format):\n fritz = context.obj\n fritz.login()\n messages = fritz.get_logs()\n if format == 'plain':\n for msg in messages:\n merged = '{} {} {}'.format(msg.date, msg.time, msg.message.\n encode('UTF-8'))\n click.echo(merged)\n if format == 'json':\n entries = [msg._asdict() for msg in messages]\n click.echo(json.dumps({'entries': entries}))\n",
"role": "user"
},
{
"content": "logs",
"role": "assistant"
}
] |
def x(self):
value = self.box.homeautoswitch('getswitchpower', self.actor_id)
return int(value) if value.isdigit() else None
|
get_power
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n value = self.box.homeautoswitch('getswitchpower', self.actor_id)\n return int(value) if value.isdigit() else None\n",
"role": "user"
},
{
"content": "get_power",
"role": "assistant"
}
] |
def x(self):
value = self.box.homeautoswitch('getswitchenergy', self.actor_id)
return int(value) if value.isdigit() else None
|
get_energy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n value = self.box.homeautoswitch('getswitchenergy', self.actor_id)\n return int(value) if value.isdigit() else None\n",
"role": "user"
},
{
"content": "get_energy",
"role": "assistant"
}
] |
def x(self):
value = self.box.homeautoswitch('gettemperature', self.actor_id)
if value.isdigit():
self.temperature = float(value) / 10
else:
self.temperature = None
return self.temperature
|
get_temperature
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n value = self.box.homeautoswitch('gettemperature', self.actor_id)\n if value.isdigit():\n self.temperature = float(value) / 10\n else:\n self.temperature = None\n return self.temperature\n",
"role": "user"
},
{
"content": "get_temperature",
"role": "assistant"
}
] |
def x(self):
value = self.box.homeautoswitch('gethkrtsoll', self.actor_id)
self.target_temperature = self.__get_temp(value)
return self.target_temperature
|
get_target_temperature
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n value = self.box.homeautoswitch('gethkrtsoll', self.actor_id)\n self.target_temperature = self.__get_temp(value)\n return self.target_temperature\n",
"role": "user"
},
{
"content": "get_target_temperature",
"role": "assistant"
}
] |
def x(self, temp):
param = 16 + (temp - 8) * 2
if param < 16:
param = 253
logger.info('Actor ' + self.name + ': Temperature control set to off')
elif param >= 56:
param = 254
logger.info('Actor ' + self.name + ': Temperature control set to on')
else:
logger.info('Actor ' + self.name + ': Temperature control set to ' +
str(temp))
return self.box.homeautoswitch('sethkrtsoll', self.actor_id, param)
|
set_temperature
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, temp):\n param = 16 + (temp - 8) * 2\n if param < 16:\n param = 253\n logger.info('Actor ' + self.name + ': Temperature control set to off')\n elif param >= 56:\n param = 254\n logger.info('Actor ' + self.name + ': Temperature control set to on')\n else:\n logger.info('Actor ' + self.name + ': Temperature control set to ' +\n str(temp))\n return self.box.homeautoswitch('sethkrtsoll', self.actor_id, param)\n",
"role": "user"
},
{
"content": "set_temperature",
"role": "assistant"
}
] |
def x(self):
deprecated_key = 'openshift_uri'
key = 'openshift_url'
val = self._get_value(deprecated_key, self.conf_section, deprecated_key)
if val is not None:
warnings.warn('%r is deprecated, use %r instead' % (deprecated_key,
key))
return val
return self._get_value(key, self.conf_section, key)
|
get_openshift_base_uri
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n deprecated_key = 'openshift_uri'\n key = 'openshift_url'\n val = self._get_value(deprecated_key, self.conf_section, deprecated_key)\n if val is not None:\n warnings.warn('%r is deprecated, use %r instead' % (deprecated_key,\n key))\n return val\n return self._get_value(key, self.conf_section, key)\n",
"role": "user"
},
{
"content": "get_openshift_base_uri",
"role": "assistant"
}
] |
def x(self):
key = 'builder_openshift_url'
url = self._get_deprecated(key, self.conf_section, key)
if url is None:
logger.warning('%r not found, falling back to get_openshift_base_uri()'
, key)
url = self.get_openshift_base_uri()
return url
|
get_builder_openshift_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n key = 'builder_openshift_url'\n url = self._get_deprecated(key, self.conf_section, key)\n if url is None:\n logger.warning('%r not found, falling back to get_openshift_base_uri()'\n , key)\n url = self.get_openshift_base_uri()\n return url\n",
"role": "user"
},
{
"content": "get_builder_openshift_url",
"role": "assistant"
}
] |
def x(self, nodeselector_str):
nodeselector = {}
if nodeselector_str and nodeselector_str != 'none':
constraints = [x.strip() for x in nodeselector_str.split(',')]
raw_nodeselector = dict([constraint.split('=', 1) for constraint in
constraints])
nodeselector = dict([k.strip(), v.strip()] for k, v in
raw_nodeselector.items())
return nodeselector
|
generate_nodeselector_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, nodeselector_str):\n nodeselector = {}\n if nodeselector_str and nodeselector_str != 'none':\n constraints = [x.strip() for x in nodeselector_str.split(',')]\n raw_nodeselector = dict([constraint.split('=', 1) for constraint in\n constraints])\n nodeselector = dict([k.strip(), v.strip()] for k, v in\n raw_nodeselector.items())\n return nodeselector\n",
"role": "user"
},
{
"content": "generate_nodeselector_dict",
"role": "assistant"
}
] |
def x(self, platform):
nodeselector = {}
if platform:
nodeselector_str = self._get_value('node_selector.' + platform,
self.conf_section, 'node_selector.' + platform)
nodeselector = self.generate_nodeselector_dict(nodeselector_str)
return nodeselector
|
get_platform_node_selector
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, platform):\n nodeselector = {}\n if platform:\n nodeselector_str = self._get_value('node_selector.' + platform,\n self.conf_section, 'node_selector.' + platform)\n nodeselector = self.generate_nodeselector_dict(nodeselector_str)\n return nodeselector\n",
"role": "user"
},
{
"content": "get_platform_node_selector",
"role": "assistant"
}
] |
def x(self):
self._validate()
self._logger.logging_load()
self.encoding = get_file_encoding(self.source, self.encoding)
if six.PY3:
self._csv_reader = csv.reader(io.open(self.source, 'r', encoding=
self.encoding), delimiter=self.delimiter, quotechar=self.
quotechar, strict=True, skipinitialspace=True)
else:
self._csv_reader = csv.reader(_utf_8_encoder(io.open(self.source,
'r', encoding=self.encoding)), delimiter=self.delimiter,
quotechar=self.quotechar, strict=True, skipinitialspace=True)
formatter = CsvTableFormatter(self._to_data_matrix())
formatter.accept(self)
return formatter.to_table_data()
|
load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._validate()\n self._logger.logging_load()\n self.encoding = get_file_encoding(self.source, self.encoding)\n if six.PY3:\n self._csv_reader = csv.reader(io.open(self.source, 'r', encoding=\n self.encoding), delimiter=self.delimiter, quotechar=self.\n quotechar, strict=True, skipinitialspace=True)\n else:\n self._csv_reader = csv.reader(_utf_8_encoder(io.open(self.source,\n 'r', encoding=self.encoding)), delimiter=self.delimiter,\n quotechar=self.quotechar, strict=True, skipinitialspace=True)\n formatter = CsvTableFormatter(self._to_data_matrix())\n formatter.accept(self)\n return formatter.to_table_data()\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(self):
self._validate()
self._logger.logging_load()
self._csv_reader = csv.reader(six.StringIO(self.source.strip()),
delimiter=self.delimiter, quotechar=self.quotechar, strict=True,
skipinitialspace=True)
formatter = CsvTableFormatter(self._to_data_matrix())
formatter.accept(self)
return formatter.to_table_data()
|
load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._validate()\n self._logger.logging_load()\n self._csv_reader = csv.reader(six.StringIO(self.source.strip()),\n delimiter=self.delimiter, quotechar=self.quotechar, strict=True,\n skipinitialspace=True)\n formatter = CsvTableFormatter(self._to_data_matrix())\n formatter.accept(self)\n return formatter.to_table_data()\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(self, **kwargs):
self.scratch = kwargs.pop('scratch', False)
self.is_auto = kwargs.pop('is_auto', False)
self.isolated = kwargs.pop('isolated', False)
self.validate_build_variation()
self.base_image = kwargs.get('base_image')
self.platform_node_selector = kwargs.get('platform_node_selector', {})
self.platform_descriptors = kwargs.get('platform_descriptors', {})
self.scratch_build_node_selector = kwargs.get('scratch_build_node_selector'
, {})
self.explicit_build_node_selector = kwargs.get(
'explicit_build_node_selector', {})
self.auto_build_node_selector = kwargs.get('auto_build_node_selector', {})
self.isolated_build_node_selector = kwargs.get(
'isolated_build_node_selector', {})
logger.debug("setting params '%s' for %s", kwargs, self.spec)
self.spec.set_params(**kwargs)
self.osbs_api = kwargs.pop('osbs_api')
|
set_params
|
[
{
"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.scratch = kwargs.pop('scratch', False)\n self.is_auto = kwargs.pop('is_auto', False)\n self.isolated = kwargs.pop('isolated', False)\n self.validate_build_variation()\n self.base_image = kwargs.get('base_image')\n self.platform_node_selector = kwargs.get('platform_node_selector', {})\n self.platform_descriptors = kwargs.get('platform_descriptors', {})\n self.scratch_build_node_selector = kwargs.get('scratch_build_node_selector'\n , {})\n self.explicit_build_node_selector = kwargs.get(\n 'explicit_build_node_selector', {})\n self.auto_build_node_selector = kwargs.get('auto_build_node_selector', {})\n self.isolated_build_node_selector = kwargs.get(\n 'isolated_build_node_selector', {})\n logger.debug(\"setting params '%s' for %s\", kwargs, self.spec)\n self.spec.set_params(**kwargs)\n self.osbs_api = kwargs.pop('osbs_api')\n",
"role": "user"
},
{
"content": "set_params",
"role": "assistant"
}
] |
def x(self):
triggers = self.template['spec'].get('triggers', [])
if not triggers:
return False
for trigger in triggers:
if trigger['type'] == 'ImageChange' and trigger['imageChange']['from'][
'kind'] == 'ImageStreamTag':
return True
return False
|
has_ist_trigger
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n triggers = self.template['spec'].get('triggers', [])\n if not triggers:\n return False\n for trigger in triggers:\n if trigger['type'] == 'ImageChange' and trigger['imageChange']['from'][\n 'kind'] == 'ImageStreamTag':\n return True\n return False\n",
"role": "user"
},
{
"content": "has_ist_trigger",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.