source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, data, fill_value=None):
not_alpha = [b for b in data.coords['bands'].values if b != 'A']
null_mask = data.sel(bands=not_alpha)
if np.issubdtype(data.dtype, np.integer) and fill_value is not None:
null_mask = null_mask != fill_value
else:
null_mask = null_mask.notnull()
null_mask = null_mask.any(dim='bands')
null_mask = null_mask.expand_dims('bands')
null_mask['bands'] = ['A']
return null_mask
| create_alpha | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, fill_value=None):\n not_alpha = [b for b in data.coords['bands'].values if b != 'A']\n null_mask = data.sel(bands=not_alpha)\n if np.issub... |
def x(self, data, alpha=None):
null_mask = alpha if alpha is not None else self._create_alpha(data)
if np.issubdtype(data.dtype, np.integer):
null_mask = self._scale_to_dtype(null_mask, data.dtype).astype(data
.dtype)
data = xr.concat([data, null_mask], dim='bands')
return data
| add_alpha | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, alpha=None):\n null_mask = alpha if alpha is not None else self._create_alpha(data)\n if np.issubdtype(data.dtype, np.integer):\n null... |
def x(self, data, dtype):
if np.issubdtype(dtype, np.integer):
if np.issubdtype(data, np.integer):
data = data.clip(np.iinfo(dtype).min, np.iinfo(dtype).max)
else:
dinfo = np.iinfo(dtype)
data = data.clip(0, 1) * (dinfo.max - dinfo.min) + dinfo.min
data = data.round()
return data
| scale_to_dtype | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, dtype):\n if np.issubdtype(dtype, np.integer):\n if np.issubdtype(data, np.integer):\n data = data.clip(np.iinfo(dtype).min, n... |
def x(self, modes):
if not isinstance(modes, (tuple, list, set)):
modes = [modes]
if self.mode not in modes:
raise ValueError(
'Image not in suitable mode, expected: %s, got: %s' % (modes,
self.mode))
| check_modes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, modes):\n if not isinstance(modes, (tuple, list, set)):\n modes = [modes]\n if self.mode not in modes:\n raise ValueError(\n ... |
def x(self, mode):
self._check_modes(('P', 'PA'))
if not self.palette:
raise RuntimeError("Can't convert palettized image, missing palette.")
pal = np.array(self.palette)
pal = da.from_array(pal, chunks=pal.shape)
if pal.shape[1] == 4:
mode = 'RGBA'
alpha = None
elif self.mode.endswith('A'):
alpha = self.data.sel(bands='A').data[..., None]
mode = mode + 'A' if not mode.endswith('A') else mode
else:
alpha = None
flat_indexes = self.data.sel(bands='P').data.ravel().astype('int64')
dim_sizes = ((key, val) for key, val in self.data.sizes.items() if key !=
'bands')
dims, new_shape = zip(*dim_sizes)
dims = dims + ('bands',)
new_shape = new_shape + (pal.shape[1],)
new_data = pal[flat_indexes].reshape(new_shape)
coords = dict(self.data.coords)
coords['bands'] = list(mode)
if alpha is not None:
new_arr = da.concatenate((new_data, alpha), axis=-1)
data = xr.DataArray(new_arr, coords=coords, attrs=self.data.attrs,
dims=dims)
else:
data = xr.DataArray(new_data, coords=coords, attrs=self.data.attrs,
dims=dims)
return data
| from_p | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mode):\n self._check_modes(('P', 'PA'))\n if not self.palette:\n raise RuntimeError(\"Can't convert palettized image, missing palette.\")\n ... |
def x(self, mode):
self._check_modes(('L', 'LA'))
bands = ['L'] * 3
if mode[-1] == 'A':
bands.append('A')
data = self.data.sel(bands=bands)
data['bands'] = list(mode)
return data
| l2rgb | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mode):\n self._check_modes(('L', 'LA'))\n bands = ['L'] * 3\n if mode[-1] == 'A':\n bands.append('A')\n data = self.data.sel(bands=ban... |
def x(self, fill_value=None, dtype=np.uint8, keep_palette=False, cmap=None):
import warnings
warnings.warn("'_finalize' is deprecated, use 'finalize' instead.",
DeprecationWarning)
return self.finalize(fill_value, dtype, keep_palette, cmap)
| finalize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fill_value=None, dtype=np.uint8, keep_palette=False, cmap=None):\n import warnings\n warnings.warn(\"'_finalize' is deprecated, use 'finalize' inst... |
def x(self, fill_value=None, dtype=np.uint8, keep_palette=False, cmap=None):
if keep_palette and not self.mode.startswith('P'):
keep_palette = False
if not keep_palette:
if self.mode == 'P':
return self.convert('RGB').finalize(fill_value=fill_value,
dtype=dtype, keep_palette=keep_palette, cmap=cmap)
if self.mode == 'PA':
return self.convert('RGBA').finalize(fill_value=fill_value,
dtype=dtype, keep_palette=keep_palette, cmap=cmap)
if np.issubdtype(dtype, np.floating) and fill_value is None:
logger.warning(
'Image with floats cannot be transparent, so setting fill_value to 0'
)
fill_value = 0
final_data = self.data
ifill = final_data.attrs.get('_FillValue') if np.issubdtype(final_data,
np.integer) else None
if not keep_palette:
if fill_value is None and not self.mode.endswith('A'):
alpha = self._create_alpha(final_data, fill_value=ifill)
final_data = self._scale_to_dtype(final_data, dtype).astype(dtype)
final_data = self._add_alpha(final_data, alpha=alpha)
else:
final_data = self._scale_to_dtype(final_data, dtype)
if ifill is not None and fill_value is not None:
fill_value = dtype(fill_value)
final_data = final_data.where(final_data != ifill, dtype(
fill_value))
elif fill_value is not None:
final_data = final_data.fillna(dtype(fill_value))
final_data = final_data.astype(dtype)
final_data.attrs = self.data.attrs
return final_data, ''.join(final_data['bands'].values)
| finalize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fill_value=None, dtype=np.uint8, keep_palette=False, cmap=None):\n if keep_palette and not self.mode.startswith('P'):\n keep_palette = False\n ... |
def x(self, fill_value=None, compute=True):
channels, mode = self.finalize(fill_value)
res = channels.transpose('y', 'x', 'bands')
img = dask.delayed(PILImage.fromarray)(np.squeeze(res.data), mode)
if compute:
img = img.compute()
return img
| pil_image | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fill_value=None, compute=True):\n channels, mode = self.finalize(fill_value)\n res = channels.transpose('y', 'x', 'bands')\n img = dask.delayed(... |
def x(self, tup):
return xr.DataArray(tup, dims=['bands'], coords={'bands': self.data[
'bands']})
| xrify_tuples | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tup):\n return xr.DataArray(tup, dims=['bands'], coords={'bands': self.data[\n 'bands']})\n",
"role": "user"
},
{
"content": "xrify... |
def x(self, gamma=1.0):
if isinstance(gamma, (list, tuple)):
gamma = self.xrify_tuples(gamma)
elif gamma == 1.0:
return
logger.debug('Applying gamma %s', str(gamma))
attrs = self.data.attrs
self.data = self.data.clip(min=0)
self.data **= 1.0 / gamma
self.data.attrs = attrs
| gamma | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, gamma=1.0):\n if isinstance(gamma, (list, tuple)):\n gamma = self.xrify_tuples(gamma)\n elif gamma == 1.0:\n return\n logger.debug... |
def x(self, stretch='crude', **kwargs):
logger.debug('Applying stretch %s with parameters %s', stretch, str(kwargs)
)
if isinstance(stretch, (tuple, list)):
if len(stretch) == 2:
self.stretch_linear(cutoffs=stretch)
else:
raise ValueError('Stretch tuple must have exactly two elements')
elif stretch == 'linear':
self.stretch_linear(**kwargs)
elif stretch == 'histogram':
self.stretch_hist_equalize(**kwargs)
elif stretch in ['crude', 'crude-stretch']:
self.crude_stretch(**kwargs)
elif stretch in ['log', 'logarithmic']:
self.stretch_logarithmic(**kwargs)
elif stretch == 'no':
return
elif isinstance(stretch, str):
raise ValueError('Stretching method %s not recognized.' % stretch)
else:
raise TypeError('Stretch parameter must be a string or a tuple.')
| stretch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stretch='crude', **kwargs):\n logger.debug('Applying stretch %s with parameters %s', stretch, str(kwargs)\n )\n if isinstance(stretch, (tupl... |
def x(data, dims, cutoffs):
data_arr = xr.DataArray(data, dims=dims)
left, right = data_arr.quantile([cutoffs[0], 1.0 - cutoffs[1]], dim=[
'x', 'y'])
logger.debug('Interval: left=%s, right=%s', str(left), str(right))
return left.data, right.data
| compute_quantile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, dims, cutoffs):\n data_arr = xr.DataArray(data, dims=dims)\n left, right = data_arr.quantile([cutoffs[0], 1.0 - cutoffs[1]], dim=[\n 'x', 'y... |
def x(self, cutoffs=(0.005, 0.005)):
logger.debug('Perform a linear contrast stretch.')
logger.debug('Calculate the histogram quantiles: ')
logger.debug('Left and right quantiles: ' + str(cutoffs[0]) + ' ' + str
(cutoffs[1]))
cutoff_type = np.float64
if np.issubdtype(self.data.dtype, np.floating) and np.dtype(self.data.dtype
).itemsize > 8:
cutoff_type = self.data.dtype
left, right = dask.delayed(self._compute_quantile, nout=2)(self.data.
data, self.data.dims, cutoffs)
left_data = da.from_delayed(left, shape=(self.data.sizes['bands'],),
dtype=cutoff_type)
left = xr.DataArray(left_data, dims=('bands',), coords={'bands': self.
data['bands']})
right_data = da.from_delayed(right, shape=(self.data.sizes['bands'],),
dtype=cutoff_type)
right = xr.DataArray(right_data, dims=('bands',), coords={'bands': self
.data['bands']})
self.crude_stretch(left, right)
| stretch_linear | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cutoffs=(0.005, 0.005)):\n logger.debug('Perform a linear contrast stretch.')\n logger.debug('Calculate the histogram quantiles: ')\n logger.deb... |
def x(self, min_stretch=None, max_stretch=None):
if min_stretch is None:
non_band_dims = tuple(x for x in self.data.dims if x != 'bands')
min_stretch = self.data.min(dim=non_band_dims)
if max_stretch is None:
non_band_dims = tuple(x for x in self.data.dims if x != 'bands')
max_stretch = self.data.max(dim=non_band_dims)
if isinstance(min_stretch, (list, tuple)):
min_stretch = self.xrify_tuples(min_stretch)
if isinstance(max_stretch, (list, tuple)):
max_stretch = self.xrify_tuples(max_stretch)
delta = max_stretch - min_stretch
if isinstance(delta, xr.DataArray):
scale_factor = (1.0 / delta).fillna(0)
else:
scale_factor = 1.0 / delta
attrs = self.data.attrs
self.data -= min_stretch
self.data *= scale_factor
self.data.attrs = attrs
| crude_stretch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, min_stretch=None, max_stretch=None):\n if min_stretch is None:\n non_band_dims = tuple(x for x in self.data.dims if x != 'bands')\n min_... |
def x(self, approximate=False):
logger.info('Perform a histogram equalized contrast stretch.')
nwidth = 2048.0
logger.debug('Make histogram bins having equal amount of data, ' +
'using numpy percentile function:')
def x(band_data):
cdf = da.arange(0.0, 1.0, 1.0 / nwidth, chunks=nwidth)
if approximate:
flat_data = band_data.ravel()
bins = da.percentile(flat_data[da.notnull(flat_data)], cdf * 100.0)
else:
bins = dask.delayed(np.nanpercentile)(band_data, cdf * 100.0)
bins = da.from_delayed(bins, shape=(nwidth,), dtype=cdf.dtype)
res = dask.delayed(np.interp)(band_data, bins, cdf)
res = da.from_delayed(res, shape=band_data.shape, dtype=band_data.dtype
)
return res
band_results = []
for band in self.data['bands'].values:
if band == 'A':
continue
band_data = self.data.sel(bands=band)
res = _band_hist(band_data.data)
band_results.append(res)
if 'A' in self.data.coords['bands'].values:
band_results.append(self.data.sel(bands='A'))
self.data.data = da.stack(band_results, axis=self.data.dims.index('bands'))
| stretch_hist_equalize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, approximate=False):\n logger.info('Perform a histogram equalized contrast stretch.')\n nwidth = 2048.0\n logger.debug('Make histogram bins havin... |
def x(self, factor=100.0):
logger.debug('Perform a logarithmic contrast stretch.')
crange = 0.0, 1.0
b__ = float(crange[1] - crange[0]) / np.log(factor)
c__ = float(crange[0])
def x(arr):
slope = (factor - 1.0) / float(arr.max() - arr.min())
arr = 1.0 + (arr - arr.min()) * slope
arr = c__ + b__ * da.log(arr)
return arr
band_results = []
for band in self.data['bands'].values:
if band == 'A':
continue
band_data = self.data.sel(bands=band)
res = _band_log(band_data.data)
band_results.append(res)
if 'A' in self.data.coords['bands'].values:
band_results.append(self.data.sel(bands='A'))
self.data.data = da.stack(band_results, axis=self.data.dims.index('bands'))
| stretch_logarithmic | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, factor=100.0):\n logger.debug('Perform a logarithmic contrast stretch.')\n crange = 0.0, 1.0\n b__ = float(crange[1] - crange[0]) / np.log(facto... |
def x(self, k, s0):
attrs = self.data.attrs
self.data = k * xu.log(self.data / s0)
self.data.attrs = attrs
| stretch_weber_fechner | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, k, s0):\n attrs = self.data.attrs\n self.data = k * xu.log(self.data / s0)\n self.data.attrs = attrs\n",
"role": "user"
},
{
"conten... |
def x(self, invert=True):
logger.debug('Applying invert with parameters %s', str(invert))
if isinstance(invert, (tuple, list)):
invert = self.xrify_tuples(invert)
offset = invert.astype(int)
scale = (-1) ** offset
elif invert:
offset = 1
scale = -1
attrs = self.data.attrs
self.data = self.data * scale + offset
self.data.attrs = attrs
| invert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, invert=True):\n logger.debug('Applying invert with parameters %s', str(invert))\n if isinstance(invert, (tuple, list)):\n invert = self.xrif... |
def x(self, img):
raise NotImplementedError(
'This method has not be implemented for xarray support.')
if self.is_empty():
raise ValueError('Cannot merge an empty image.')
if self.mode != img.mode:
raise ValueError('Cannot merge image of different modes.')
selfmask = self.channels[0].mask
for chn in self.channels[1:]:
selfmask = np.ma.mask_or(selfmask, chn.mask)
for i in range(len(self.channels)):
self.channels[i] = np.ma.where(selfmask, img.channels[i], self.
channels[i])
self.channels[i].mask = np.logical_and(selfmask, img.channels[i].mask)
| merge | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, img):\n raise NotImplementedError(\n 'This method has not be implemented for xarray support.')\n if self.is_empty():\n raise ValueErr... |
def x(self, colormap):
if self.mode not in ('L', 'LA'):
raise ValueError('Image should be grayscale to colorize')
if self.mode == 'LA':
alpha = self.data.sel(bands=['A'])
else:
alpha = None
l_data = self.data.sel(bands=['L'])
def x(l_data, colormap):
channels = colormap.colorize(l_data)
return np.concatenate(channels, axis=0)
new_data = l_data.data.map_blocks(_colorize, colormap, chunks=(colormap
.colors.shape[1],) + l_data.data.chunks[1:], dtype=np.float64)
if colormap.colors.shape[1] == 4:
mode = 'RGBA'
elif alpha is not None:
new_data = da.concatenate([new_data, alpha.data], axis=0)
mode = 'RGBA'
else:
mode = 'RGB'
coords = dict(self.data.coords)
coords['bands'] = list(mode)
attrs = self.data.attrs
dims = self.data.dims
self.data = xr.DataArray(new_data, coords=coords, attrs=attrs, dims=dims)
| colorize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, colormap):\n if self.mode not in ('L', 'LA'):\n raise ValueError('Image should be grayscale to colorize')\n if self.mode == 'LA':\n a... |
def x(self, colormap):
if self.mode not in ('L', 'LA'):
raise ValueError('Image should be grayscale to colorize')
l_data = self.data.sel(bands=['L'])
def x(data):
return colormap.palettize(data)[0]
new_data = l_data.data.map_blocks(_palettize, dtype=l_data.dtype)
self.palette = tuple(colormap.colors)
if self.mode == 'L':
mode = 'P'
else:
mode = 'PA'
new_data = da.concatenate([new_data, self.data.sel(bands=['A'])],
axis=0)
self.data.data = new_data
self.data.coords['bands'] = list(mode)
| palettize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, colormap):\n if self.mode not in ('L', 'LA'):\n raise ValueError('Image should be grayscale to colorize')\n l_data = self.data.sel(bands=['L... |
def x(self, other):
raise NotImplementedError(
'This method has not be implemented for xarray support.')
if self.mode != 'RGBA' or other.mode != 'RGBA':
raise ValueError('Images must be in RGBA')
src = other
dst = self
outa = src.channels[3] + dst.channels[3] * (1 - src.channels[3])
for i in range(3):
dst.channels[i] = (src.channels[i] * src.channels[3] + dst.channels
[i] * dst.channels[3] * (1 - src.channels[3])) / outa
dst.channels[i][outa == 0] = 0
dst.channels[3] = outa
| blend | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n raise NotImplementedError(\n 'This method has not be implemented for xarray support.')\n if self.mode != 'RGBA' or other.mode != '... |
def x(variable: str, default: Path) ->Path:
value = os.environ.get(variable)
if value:
return Path(value)
return default
| path_from_env | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(variable: str, default: Path) ->Path:\n value = os.environ.get(variable)\n if value:\n return Path(value)\n return default\n",
"role": "use... |
def x(variable: str, default: List[Path]) ->List[Path]:
value = os.environ.get(variable)
if value:
return [Path(path) for path in value.split(':')]
return default
| paths_from_env | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(variable: str, default: List[Path]) ->List[Path]:\n value = os.environ.get(variable)\n if value:\n return [Path(path) for path in value.split(':')... |
def x(self, user, password):
if self.__contains__(user):
raise UserExists
self.new_users[user] = self._encrypt_password(password) + '\n'
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user, password):\n if self.__contains__(user):\n raise UserExists\n self.new_users[user] = self._encrypt_password(password) + '\\n'\n",
... |
def x(self, user):
if not self.__contains__(user):
raise UserNotExists
self.new_users.pop(user)
| pop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user):\n if not self.__contains__(user):\n raise UserNotExists\n self.new_users.pop(user)\n",
"role": "user"
},
{
"content": "po... |
def x(self, user, password):
if not self.__contains__(user):
raise UserNotExists
self.new_users[user] = self._encrypt_password(password) + '\n'
| change_password | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user, password):\n if not self.__contains__(user):\n raise UserNotExists\n self.new_users[user] = self._encrypt_password(password) + '\\n'\n... |
def x(self, password):
if self.encryption_mode.lower() == 'crypt':
return self._crypt_password(password)
elif self.encryption_mode.lower() == 'md5':
return self._md5_password(password)
elif self.encryption_mode.lower() == 'md5-base':
return self._md5_base_password(password)
else:
raise UnknownEncryptionMode(self.encryption_mode)
| encrypt_password | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, password):\n if self.encryption_mode.lower() == 'crypt':\n return self._crypt_password(password)\n elif self.encryption_mode.lower() == 'md5... |
def x(self, password):
def x():
symbols = ascii_letters + digits
return choice(symbols) + choice(symbols)
return crypt(password, salt())
| crypt_password | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, password):\n\n def x():\n symbols = ascii_letters + digits\n return choice(symbols) + choice(symbols)\n return crypt(password, salt()... |
def x(self, user, group):
if self.is_user_in(user, group):
raise UserAlreadyInAGroup
self.new_groups.add(group, user)
| add_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user, group):\n if self.is_user_in(user, group):\n raise UserAlreadyInAGroup\n self.new_groups.add(group, user)\n",
"role": "user"
},
... |
def x(self, user, group):
if not self.__contains__(group):
raise GroupNotExists
if not self.is_user_in(user, group):
raise UserNotInAGroup
self.new_groups.popvalue(group, user)
| delete_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user, group):\n if not self.__contains__(group):\n raise GroupNotExists\n if not self.is_user_in(user, group):\n raise UserNotInAGrou... |
def x(global_conf, **local_conf):
conf = global_conf.copy()
conf.update(local_conf)
def x(app):
return Swauth(app, conf)
return auth_filter
| filter_factory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(global_conf, **local_conf):\n conf = global_conf.copy()\n conf.update(local_conf)\n\n def x(app):\n return Swauth(app, conf)\n return auth_f... |
def x(self, env, method=None, path=None, body=None, headers=None):
if self.default_storage_policy:
sp = self.default_storage_policy
if headers:
headers.update({'X-Storage-Policy': sp})
else:
headers = {'X-Storage-Policy': sp}
subreq = swift.common.wsgi.make_pre_authed_request(env, method=method,
path=path, body=body, headers=headers, agent=self.agent)
subreq.environ['swift.source'] = self.swift_source
return subreq
| make_pre_authed_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, env, method=None, path=None, body=None, headers=None):\n if self.default_storage_policy:\n sp = self.default_storage_policy\n if headers... |
def x(self, token):
enc_key = '%s:%s:%s' % (HASH_PATH_PREFIX, token, HASH_PATH_SUFFIX)
return sha512(enc_key).hexdigest()
| get_concealed_token | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, token):\n enc_key = '%s:%s:%s' % (HASH_PATH_PREFIX, token, HASH_PATH_SUFFIX)\n return sha512(enc_key).hexdigest()\n",
"role": "user"
},
{
... |
def x(self, env, token):
groups = None
memcache_client = cache_from_env(env)
if memcache_client:
memcache_key = '%s/auth/%s' % (self.reseller_prefix, token)
cached_auth_data = memcache_client.get(memcache_key)
if cached_auth_data:
expires, groups = cached_auth_data
if expires < time():
groups = None
s3_auth_details = env.get('swift3.auth_details')
if s3_auth_details:
if not self.s3_support:
self.logger.warning('S3 support is disabled in swauth.')
return None
if self.swauth_remote:
self.logger.warning(
'S3-style authorization not supported yet with swauth_remote mode.'
)
return None
try:
account, user = s3_auth_details['access_key'].split(':', 1)
signature_from_user = s3_auth_details['signature']
msg = s3_auth_details['string_to_sign']
except Exception:
self.logger.debug(
'Swauth cannot parse swift3.auth_details value %r' % (
s3_auth_details,))
return None
path = quote('/v1/%s/%s/%s' % (self.auth_account, account, user))
resp = self.make_pre_authed_request(env, 'GET', path).get_response(self
.app)
if resp.status_int // 100 != 2:
return None
if 'x-object-meta-account-id' in resp.headers:
account_id = resp.headers['x-object-meta-account-id']
else:
path = quote('/v1/%s/%s' % (self.auth_account, account))
resp2 = self.make_pre_authed_request(env, 'HEAD', path
).get_response(self.app)
if resp2.status_int // 100 != 2:
return None
account_id = resp2.headers['x-container-meta-account-id']
path = env['PATH_INFO']
env['PATH_INFO'] = path.replace('%s:%s' % (account, user),
account_id, 1)
detail = json.loads(resp.body)
if detail:
creds = detail.get('auth')
try:
auth_encoder, creds_dict = swauth.authtypes.validate_creds(
creds)
except ValueError as e:
self.logger.error('%s' % e.args[0])
return None
password = creds_dict['hash']
if isinstance(password, six.text_type):
password = password.encode('utf-8')
if isinstance(msg, six.text_type):
msg = msg.encode('utf-8')
valid_signature = base64.encodestring(hmac.new(password, msg, sha1)
.digest()).strip()
if signature_from_user != valid_signature:
return None
groups = [g['name'] for g in detail['groups']]
if '.admin' in groups:
groups.remove('.admin')
groups.append(account_id)
groups = ','.join(groups)
return groups
if not groups:
if self.swauth_remote:
with Timeout(self.swauth_remote_timeout):
conn = http_connect(self.swauth_remote_parsed.hostname,
self.swauth_remote_parsed.port, 'GET',
'%s/v2/.token/%s' % (self.swauth_remote_parsed.path,
quote(token)), ssl=self.swauth_remote_parsed.scheme ==
'https')
resp = conn.getresponse()
resp.read()
conn.close()
if resp.status // 100 != 2:
return None
expires_from_now = float(resp.getheader('x-auth-ttl'))
groups = resp.getheader('x-auth-groups')
if memcache_client:
memcache_client.set(memcache_key, (time() +
expires_from_now, groups), time=expires_from_now)
else:
object_name = self._get_concealed_token(token)
path = quote('/v1/%s/.token_%s/%s' % (self.auth_account,
object_name[-1], object_name))
resp = self.make_pre_authed_request(env, 'GET', path).get_response(
self.app)
if resp.status_int // 100 != 2:
return None
detail = json.loads(resp.body)
if detail['expires'] < time():
self.make_pre_authed_request(env, 'DELETE', path).get_response(
self.app)
return None
groups = [g['name'] for g in detail['groups']]
if '.admin' in groups:
groups.remove('.admin')
groups.append(detail['account_id'])
groups = ','.join(groups)
if memcache_client:
memcache_client.set(memcache_key, (detail['expires'],
groups), time=float(detail['expires'] - time()))
return groups
| get_groups | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, env, token):\n groups = None\n memcache_client = cache_from_env(env)\n if memcache_client:\n memcache_key = '%s/auth/%s' % (self.reseller... |
def x(self, req):
try:
version, account, container, obj = split_path(req.path, 1, 4, True)
except ValueError:
return HTTPNotFound(request=req)
if not account or not account.startswith(self.reseller_prefix):
return self.denied_response(req)
user_groups = (req.remote_user or '').split(',')
if ('.reseller_admin' in user_groups and account != self.
reseller_prefix and account[len(self.reseller_prefix)] != '.'):
req.environ['swift_owner'] = True
return None
if account in user_groups and (req.method not in ('DELETE', 'PUT') or
container):
req.environ['swift_owner'] = True
return None
if req.environ.get('swift_sync_key') and req.environ['swift_sync_key'
] == req.headers.get('x-container-sync-key', None
) and 'x-timestamp' in req.headers and (req.remote_addr in self.
allowed_sync_hosts or get_remote_client(req) in self.allowed_sync_hosts
):
return None
referrers, groups = parse_acl(getattr(req, 'acl', None))
if referrer_allowed(req.referer, referrers):
if obj or '.rlistings' in groups:
return None
return self.denied_response(req)
if not req.remote_user:
return self.denied_response(req)
for user_group in user_groups:
if user_group in groups:
return None
return self.denied_response(req)
| authorize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, req):\n try:\n version, account, container, obj = split_path(req.path, 1, 4, True)\n except ValueError:\n return HTTPNotFound(request... |
def x(self, req):
if not hasattr(req, 'credentials_valid'):
req.credentials_valid = None
if req.remote_user or req.credentials_valid:
return HTTPForbidden(request=req)
else:
return HTTPUnauthorized(request=req)
| denied_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, req):\n if not hasattr(req, 'credentials_valid'):\n req.credentials_valid = None\n if req.remote_user or req.credentials_valid:\n ret... |
def x(self, env, start_response):
try:
req = Request(env)
if self.auth_prefix:
req.path_info_pop()
req.bytes_transferred = '-'
req.client_disconnect = False
if ('x-storage-token' in req.headers and 'x-auth-token' not in req.
headers):
req.headers['x-auth-token'] = req.headers['x-storage-token']
if 'eventlet.posthooks' in env:
env['eventlet.posthooks'].append((self.posthooklogger, (req,), {}))
return self.handle_request(req)(env, start_response)
else:
response = self.handle_request(req)(env, start_response)
self.posthooklogger(env, req)
return response
except (Exception, TimeoutError):
print('EXCEPTION IN handle: %s: %s' % (format_exc(), env))
start_response('500 Server Error', [('Content-Type', 'text/plain')])
return ['Internal server error.\n']
| handle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, env, start_response):\n try:\n req = Request(env)\n if self.auth_prefix:\n req.path_info_pop()\n req.bytes_transferred... |
def x(self, req):
req.start_time = time()
handler = None
try:
version, account, user, _junk = split_path(req.path_info, minsegs=0,
maxsegs=4, rest_with_last=True)
except ValueError:
return HTTPNotFound(request=req)
if version in ('v1', 'v1.0', 'auth'):
if req.method == 'GET':
handler = self.handle_get_token
elif version == 'v2':
if not self.super_admin_key:
return HTTPNotFound(request=req)
req.path_info_pop()
if req.method == 'GET':
if not account and not user:
handler = self.handle_get_reseller
elif account:
if not user:
handler = self.handle_get_account
elif account == '.token':
req.path_info_pop()
handler = self.handle_validate_token
else:
handler = self.handle_get_user
elif req.method == 'PUT':
if not user:
handler = self.handle_put_account
else:
handler = self.handle_put_user
elif req.method == 'DELETE':
if not user:
handler = self.handle_delete_account
else:
handler = self.handle_delete_user
elif req.method == 'POST':
if account == '.prep':
handler = self.handle_prep
elif user == '.services':
handler = self.handle_set_services
else:
handler = self.handle_webadmin
if not handler:
req.response = HTTPBadRequest(request=req)
else:
req.response = handler(req)
return req.response
| handle_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, req):\n req.start_time = time()\n handler = None\n try:\n version, account, user, _junk = split_path(req.path_info, minsegs=0,\n ... |
def x(self, req):
if not self.is_super_admin(req):
return self.denied_response(req)
path = quote('/v1/%s' % self.auth_account)
resp = self.make_pre_authed_request(req.environ, 'PUT', path).get_response(
self.app)
if resp.status_int // 100 != 2:
raise Exception('Could not create the main auth account: %s %s' % (
path, resp.status))
path = quote('/v1/%s/.account_id' % self.auth_account)
resp = self.make_pre_authed_request(req.environ, 'PUT', path).get_response(
self.app)
if resp.status_int // 100 != 2:
raise Exception('Could not create container: %s %s' % (path, resp.
status))
for container in xrange(16):
path = quote('/v1/%s/.token_%x' % (self.auth_account, container))
resp = self.make_pre_authed_request(req.environ, 'PUT', path
).get_response(self.app)
if resp.status_int // 100 != 2:
raise Exception('Could not create container: %s %s' % (path,
resp.status))
return HTTPNoContent(request=req)
| handle_prep | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, req):\n if not self.is_super_admin(req):\n return self.denied_response(req)\n path = quote('/v1/%s' % self.auth_account)\n resp = self.ma... |
def x(self, req):
if not self.is_reseller_admin(req):
return self.denied_response(req)
listing = []
marker = ''
while True:
path = '/v1/%s?format=json&marker=%s' % (quote(self.auth_account),
quote(marker))
resp = self.make_pre_authed_request(req.environ, 'GET', path
).get_response(self.app)
if resp.status_int // 100 != 2:
raise Exception('Could not list main auth account: %s %s' % (
path, resp.status))
sublisting = json.loads(resp.body)
if not sublisting:
break
for container in sublisting:
if container['name'][0] != '.':
listing.append({'name': container['name']})
marker = sublisting[-1]['name'].encode('utf-8')
return Response(body=json.dumps({'accounts': listing}), content_type=
CONTENT_TYPE_JSON)
| handle_get_reseller | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, req):\n if not self.is_reseller_admin(req):\n return self.denied_response(req)\n listing = []\n marker = ''\n while True:\n pat... |
def x(self, req):
account = req.path_info_pop()
if req.path_info or not account or account[0] == '.':
return HTTPBadRequest(request=req)
if not self.is_account_admin(req, account):
return self.denied_response(req)
path = quote('/v1/%s/%s/.services' % (self.auth_account, account))
resp = self.make_pre_authed_request(req.environ, 'GET', path).get_response(
self.app)
if resp.status_int == 404:
return HTTPNotFound(request=req)
if resp.status_int // 100 != 2:
raise Exception('Could not obtain the .services object: %s %s' % (
path, resp.status))
services = json.loads(resp.body)
listing = []
marker = ''
while True:
path = '/v1/%s?format=json&marker=%s' % (quote('%s/%s' % (self.
auth_account, account)), quote(marker))
resp = self.make_pre_authed_request(req.environ, 'GET', path
).get_response(self.app)
if resp.status_int == 404:
return HTTPNotFound(request=req)
if resp.status_int // 100 != 2:
raise Exception('Could not list in main auth account: %s %s' %
(path, resp.status))
account_id = resp.headers['X-Container-Meta-Account-Id']
sublisting = json.loads(resp.body)
if not sublisting:
break
for obj in sublisting:
if obj['name'][0] != '.':
listing.append({'name': obj['name']})
marker = sublisting[-1]['name'].encode('utf-8')
return Response(content_type=CONTENT_TYPE_JSON, body=json.dumps({
'account_id': account_id, 'services': services, 'users': listing}))
| handle_get_account | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, req):\n account = req.path_info_pop()\n if req.path_info or not account or account[0] == '.':\n return HTTPBadRequest(request=req)\n if n... |
def x(self, req):
if not self.is_reseller_admin(req):
return self.denied_response(req)
account = req.path_info_pop()
if req.path_info != '/.services' or not account or account[0] == '.':
return HTTPBadRequest(request=req)
try:
new_services = json.loads(req.body)
except ValueError as err:
return HTTPBadRequest(body=str(err))
path = quote('/v1/%s/%s/.services' % (self.auth_account, account))
resp = self.make_pre_authed_request(req.environ, 'GET', path).get_response(
self.app)
if resp.status_int == 404:
return HTTPNotFound(request=req)
if resp.status_int // 100 != 2:
raise Exception('Could not obtain services info: %s %s' % (path,
resp.status))
services = json.loads(resp.body)
for new_service, value in new_services.iteritems():
if new_service in services:
services[new_service].update(value)
else:
services[new_service] = value
services = json.dumps(services)
resp = self.make_pre_authed_request(req.environ, 'PUT', path, services
).get_response(self.app)
if resp.status_int // 100 != 2:
raise Exception('Could not save .services object: %s %s' % (path,
resp.status))
return Response(request=req, body=services, content_type=CONTENT_TYPE_JSON)
| handle_set_services | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, req):\n if not self.is_reseller_admin(req):\n return self.denied_response(req)\n account = req.path_info_pop()\n if req.path_info != '/.s... |
def x(self, req):
if not self.is_reseller_admin(req):
return self.denied_response(req)
account = req.path_info_pop()
if req.path_info or not account or account[0] == '.':
return HTTPBadRequest(request=req)
account_suffix = req.headers.get('x-account-suffix')
if not account_suffix:
account_suffix = str(uuid4())
path = quote('%s/%s%s' % (self.dsc_parsed2.path, self.reseller_prefix,
account_suffix))
try:
conn = self.get_conn()
conn.request('PUT', path, headers={'X-Auth-Token': self.get_itoken(
req.environ), 'Content-Length': '0'})
resp = conn.getresponse()
resp.read()
if resp.status // 100 != 2:
raise Exception(
'Could not create account on the Swift cluster: %s %s %s' %
(path, resp.status, resp.reason))
except (Exception, TimeoutError):
self.logger.error(_(
'ERROR: Exception while trying to communicate with %(scheme)s://%(host)s:%(port)s/%(path)s'
), {'scheme': self.dsc_parsed2.scheme, 'host': self.dsc_parsed2
.hostname, 'port': self.dsc_parsed2.port, 'path': path})
raise
path = quote('/v1/%s/%s' % (self.auth_account, account))
resp = self.make_pre_authed_request(req.environ, 'HEAD', path
).get_response(self.app)
if resp.status_int == 404:
resp = self.make_pre_authed_request(req.environ, 'PUT', path
).get_response(self.app)
if resp.status_int // 100 != 2:
raise Exception(
'Could not create account within main auth account: %s %s' %
(path, resp.status))
elif resp.status_int // 100 == 2:
if 'x-container-meta-account-id' in resp.headers:
return HTTPAccepted(request=req)
else:
raise Exception(
'Could not verify account within main auth account: %s %s' % (
path, resp.status))
path = quote('/v1/%s/.account_id/%s%s' % (self.auth_account, self.
reseller_prefix, account_suffix))
resp = self.make_pre_authed_request(req.environ, 'PUT', path, account
).get_response(self.app)
if resp.status_int // 100 != 2:
raise Exception('Could not create account id mapping: %s %s' % (
path, resp.status))
path = quote('/v1/%s/%s/.services' % (self.auth_account, account))
services = {'storage': {}}
services['storage'][self.dsc_name] = '%s/%s%s' % (self.dsc_url, self.
reseller_prefix, account_suffix)
services['storage']['default'] = self.dsc_name
resp = self.make_pre_authed_request(req.environ, 'PUT', path, json.
dumps(services)).get_response(self.app)
if resp.status_int // 100 != 2:
raise Exception('Could not create .services object: %s %s' % (path,
resp.status))
path = quote('/v1/%s/%s' % (self.auth_account, account))
resp = self.make_pre_authed_request(req.environ, 'POST', path, headers=
{'X-Container-Meta-Account-Id': '%s%s' % (self.reseller_prefix,
account_suffix)}).get_response(self.app)
if resp.status_int // 100 != 2:
raise Exception(
'Could not record the account id on the account: %s %s' % (path,
resp.status))
return HTTPCreated(request=req)
| handle_put_account | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, req):\n if not self.is_reseller_admin(req):\n return self.denied_response(req)\n account = req.path_info_pop()\n if req.path_info or not ... |
def x(self, req):
if not self.is_reseller_admin(req):
return self.denied_response(req)
account = req.path_info_pop()
if req.path_info or not account or account[0] == '.':
return HTTPBadRequest(request=req)
marker = ''
while True:
path = '/v1/%s?format=json&marker=%s' % (quote('%s/%s' % (self.
auth_account, account)), quote(marker))
resp = self.make_pre_authed_request(req.environ, 'GET', path
).get_response(self.app)
if resp.status_int == 404:
return HTTPNotFound(request=req)
if resp.status_int // 100 != 2:
raise Exception('Could not list in main auth account: %s %s' %
(path, resp.status))
account_id = resp.headers['x-container-meta-account-id']
sublisting = json.loads(resp.body)
if not sublisting:
break
for obj in sublisting:
if obj['name'][0] != '.':
return HTTPConflict(request=req)
marker = sublisting[-1]['name'].encode('utf-8')
path = quote('/v1/%s/%s/.services' % (self.auth_account, account))
resp = self.make_pre_authed_request(req.environ, 'GET', path).get_response(
self.app)
if resp.status_int // 100 != 2 and resp.status_int != 404:
raise Exception('Could not obtain .services object: %s %s' % (path,
resp.status))
if resp.status_int // 100 == 2:
services = json.loads(resp.body)
deleted_any = False
for name, url in services['storage'].iteritems():
if name != 'default':
parsed = urlparse(url)
conn = self.get_conn(parsed)
conn.request('DELETE', parsed.path, headers={'X-Auth-Token':
self.get_itoken(req.environ)})
resp = conn.getresponse()
resp.read()
if resp.status == 409:
if deleted_any:
raise Exception(
'Managed to delete one or more service end points, but failed with: %s %s %s'
% (url, resp.status, resp.reason))
else:
return HTTPConflict(request=req)
if resp.status // 100 != 2 and resp.status != 404:
raise Exception(
'Could not delete account on the Swift cluster: %s %s %s'
% (url, resp.status, resp.reason))
deleted_any = True
path = quote('/v1/%s/%s/.services' % (self.auth_account, account))
resp = self.make_pre_authed_request(req.environ, 'DELETE', path
).get_response(self.app)
if resp.status_int // 100 != 2 and resp.status_int != 404:
raise Exception('Could not delete .services object: %s %s' % (
path, resp.status))
path = quote('/v1/%s/.account_id/%s' % (self.auth_account, account_id))
resp = self.make_pre_authed_request(req.environ, 'DELETE', path
).get_response(self.app)
if resp.status_int // 100 != 2 and resp.status_int != 404:
raise Exception('Could not delete account id mapping: %s %s' % (
path, resp.status))
path = quote('/v1/%s/%s' % (self.auth_account, account))
resp = self.make_pre_authed_request(req.environ, 'DELETE', path
).get_response(self.app)
if resp.status_int // 100 != 2 and resp.status_int != 404:
raise Exception('Could not delete account marked: %s %s' % (path,
resp.status))
return HTTPNoContent(request=req)
| handle_delete_account | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, req):\n if not self.is_reseller_admin(req):\n return self.denied_response(req)\n account = req.path_info_pop()\n if req.path_info or not ... |
def x(self, req):
account = req.path_info_pop()
user = req.path_info_pop()
if req.path_info or not account or account[0] == '.' or not user or user[0
] == '.' and user != '.groups':
return HTTPBadRequest(request=req)
if not self.is_account_admin(req, account):
return self.denied_response(req)
if user == '.groups':
groups = set()
marker = ''
while True:
path = '/v1/%s?format=json&marker=%s' % (quote('%s/%s' % (self.
auth_account, account)), quote(marker))
resp = self.make_pre_authed_request(req.environ, 'GET', path
).get_response(self.app)
if resp.status_int == 404:
return HTTPNotFound(request=req)
if resp.status_int // 100 != 2:
raise Exception(
'Could not list in main auth account: %s %s' % (path,
resp.status))
sublisting = json.loads(resp.body)
if not sublisting:
break
for obj in sublisting:
if obj['name'][0] != '.':
user_json = self.get_user_detail(req, account, obj['name'])
if user_json is None:
raise Exception(
'Could not retrieve user object: %s:%s %s' % (
account, user, 404))
groups.update(g['name'] for g in json.loads(user_json)[
'groups'])
marker = sublisting[-1]['name'].encode('utf-8')
body = json.dumps({'groups': [{'name': g} for g in sorted(groups)]})
else:
body = self.get_user_detail(req, account, user)
if body is None:
return HTTPNotFound(request=req)
display_groups = [g['name'] for g in json.loads(body)['groups']]
if '.admin' in display_groups and not self.is_reseller_admin(req
) or '.reseller_admin' in display_groups and not self.is_super_admin(
req):
return self.denied_response(req)
return Response(body=body, content_type=CONTENT_TYPE_JSON)
| handle_get_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, req):\n account = req.path_info_pop()\n user = req.path_info_pop()\n if req.path_info or not account or account[0] == '.' or not user or user[0\... |
def x(self, req):
account = req.path_info_pop()
user = req.path_info_pop()
key = unquote(req.headers.get('x-auth-user-key', ''))
key_hash = unquote(req.headers.get('x-auth-user-key-hash', ''))
admin = req.headers.get('x-auth-user-admin') == 'true'
reseller_admin = req.headers.get('x-auth-user-reseller-admin') == 'true'
if reseller_admin:
admin = True
if req.path_info or not account or account[0] == '.' or not user or user[0
] == '.' or not key and not key_hash:
return HTTPBadRequest(request=req)
if key_hash:
try:
swauth.authtypes.validate_creds(key_hash)
except ValueError:
return HTTPBadRequest(request=req)
user_arg = account + ':' + user
if reseller_admin:
if not self.is_super_admin(req) and not self.is_user_changing_own_key(
req, user_arg):
return self.denied_response(req)
elif not self.is_account_admin(req, account
) and not self.is_user_changing_own_key(req, user_arg):
return self.denied_response(req)
path = quote('/v1/%s/%s' % (self.auth_account, account))
resp = self.make_pre_authed_request(req.environ, 'HEAD', path
).get_response(self.app)
if resp.status_int // 100 != 2:
raise Exception('Could not retrieve account id value: %s %s' % (
path, resp.status))
headers = {'X-Object-Meta-Account-Id': resp.headers[
'x-container-meta-account-id']}
path = quote('/v1/%s/%s/%s' % (self.auth_account, account, user))
groups = ['%s:%s' % (account, user), account]
if admin:
groups.append('.admin')
if reseller_admin:
groups.append('.reseller_admin')
auth_value = key_hash or self.auth_encoder().encode(key)
resp = self.make_pre_authed_request(req.environ, 'PUT', path, json.
dumps({'auth': auth_value, 'groups': [{'name': g} for g in groups]}
), headers=headers).get_response(self.app)
if resp.status_int == 404:
return HTTPNotFound(request=req)
if resp.status_int // 100 != 2:
raise Exception('Could not create user object: %s %s' % (path, resp
.status))
return HTTPCreated(request=req)
| handle_put_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, req):\n account = req.path_info_pop()\n user = req.path_info_pop()\n key = unquote(req.headers.get('x-auth-user-key', ''))\n key_hash = unquo... |
def x(self, req):
account = req.path_info_pop()
user = req.path_info_pop()
if req.path_info or not account or account[0] == '.' or not user or user[0
] == '.':
return HTTPBadRequest(request=req)
is_reseller_admin = self.is_user_reseller_admin(req, account, user)
if not is_reseller_admin and not req.credentials_valid:
return HTTPNotFound(request=req)
elif is_reseller_admin and not self.is_super_admin(req):
return HTTPForbidden(request=req)
if not self.is_account_admin(req, account):
return self.denied_response(req)
path = quote('/v1/%s/%s/%s' % (self.auth_account, account, user))
resp = self.make_pre_authed_request(req.environ, 'HEAD', path
).get_response(self.app)
if resp.status_int == 404:
return HTTPNotFound(request=req)
elif resp.status_int // 100 != 2:
raise Exception('Could not obtain user details: %s %s' % (path,
resp.status))
candidate_token = resp.headers.get('x-object-meta-auth-token')
if candidate_token:
object_name = self._get_concealed_token(candidate_token)
path = quote('/v1/%s/.token_%s/%s' % (self.auth_account,
object_name[-1], object_name))
resp = self.make_pre_authed_request(req.environ, 'DELETE', path
).get_response(self.app)
if resp.status_int // 100 != 2 and resp.status_int != 404:
raise Exception(
'Could not delete possibly existing token: %s %s' % (path,
resp.status))
path = quote('/v1/%s/%s/%s' % (self.auth_account, account, user))
resp = self.make_pre_authed_request(req.environ, 'DELETE', path
).get_response(self.app)
if resp.status_int // 100 != 2 and resp.status_int != 404:
raise Exception('Could not delete the user object: %s %s' % (path,
resp.status))
return HTTPNoContent(request=req)
| handle_delete_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, req):\n account = req.path_info_pop()\n user = req.path_info_pop()\n if req.path_info or not account or account[0] == '.' or not user or user[0\... |
def x(self, req, account, user):
req.credentials_valid = True
user_json = self.get_user_detail(req, account, user)
if user_json is None:
req.credentials_valid = False
return False
user_detail = json.loads(user_json)
return '.reseller_admin' in (g['name'] for g in user_detail['groups'])
| is_user_reseller_admin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, req, account, user):\n req.credentials_valid = True\n user_json = self.get_user_detail(req, account, user)\n if user_json is None:\n req.... |
def x(self, req):
token = req.path_info_pop()
if req.path_info or not token.startswith(self.reseller_prefix):
return HTTPBadRequest(request=req)
expires = groups = None
memcache_client = cache_from_env(req.environ)
if memcache_client:
memcache_key = '%s/auth/%s' % (self.reseller_prefix, token)
cached_auth_data = memcache_client.get(memcache_key)
if cached_auth_data:
expires, groups = cached_auth_data
if expires < time():
groups = None
if not groups:
object_name = self._get_concealed_token(token)
path = quote('/v1/%s/.token_%s/%s' % (self.auth_account,
object_name[-1], object_name))
resp = self.make_pre_authed_request(req.environ, 'GET', path
).get_response(self.app)
if resp.status_int // 100 != 2:
return HTTPNotFound(request=req)
detail = json.loads(resp.body)
expires = detail['expires']
if expires < time():
self.make_pre_authed_request(req.environ, 'DELETE', path
).get_response(self.app)
return HTTPNotFound(request=req)
groups = [g['name'] for g in detail['groups']]
if '.admin' in groups:
groups.remove('.admin')
groups.append(detail['account_id'])
groups = ','.join(groups)
return HTTPNoContent(headers={'X-Auth-TTL': expires - time(),
'X-Auth-Groups': groups})
| handle_validate_token | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, req):\n token = req.path_info_pop()\n if req.path_info or not token.startswith(self.reseller_prefix):\n return HTTPBadRequest(request=req)\n... |
def x(self, urlparsed=None):
if not urlparsed:
urlparsed = self.dsc_parsed2
if urlparsed.scheme == 'http':
return HTTPConnection(urlparsed.netloc)
else:
return HTTPSConnection(urlparsed.netloc)
| get_conn | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, urlparsed=None):\n if not urlparsed:\n urlparsed = self.dsc_parsed2\n if urlparsed.scheme == 'http':\n return HTTPConnection(urlparse... |
def x(self, env):
if not self.itoken or self.itoken_expires < time() or env.get(
'HTTP_X_AUTH_NEW_TOKEN', 'false').lower() in TRUE_VALUES:
self.itoken = '%sitk%s' % (self.reseller_prefix, uuid4().hex)
memcache_key = '%s/auth/%s' % (self.reseller_prefix, self.itoken)
self.itoken_expires = time() + self.token_life
memcache_client = cache_from_env(env)
if not memcache_client:
raise Exception(
'No memcache set up; required for Swauth middleware')
memcache_client.set(memcache_key, (self.itoken_expires,
'.auth,.reseller_admin,%s.auth' % self.reseller_prefix), time=
self.token_life)
return self.itoken
| get_itoken | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, env):\n if not self.itoken or self.itoken_expires < time() or env.get(\n 'HTTP_X_AUTH_NEW_TOKEN', 'false').lower() in TRUE_VALUES:\n sel... |
def x(self, req):
if ':' not in req.headers.get('x-auth-admin-user', ''):
return None
admin_account, admin_user = req.headers.get('x-auth-admin-user').split(':',
1)
user_json = self.get_user_detail(req, admin_account, admin_user)
if user_json is None:
return None
admin_detail = json.loads(user_json)
admin_detail['account'] = admin_account
return admin_detail
| get_admin_detail | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, req):\n if ':' not in req.headers.get('x-auth-admin-user', ''):\n return None\n admin_account, admin_user = req.headers.get('x-auth-admin-us... |
def x(self, req, account, user):
path = quote('/v1/%s/%s/%s' % (self.auth_account, account, user))
resp = self.make_pre_authed_request(req.environ, 'GET', path).get_response(
self.app)
if resp.status_int == 404:
return None
if resp.status_int // 100 != 2:
raise Exception('Could not get user object: %s %s' % (path, resp.
status))
return resp.body
| get_user_detail | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, req, account, user):\n path = quote('/v1/%s/%s/%s' % (self.auth_account, account, user))\n resp = self.make_pre_authed_request(req.environ, 'GET', ... |
def x(self, user_detail, key):
if user_detail:
creds = user_detail.get('auth')
try:
auth_encoder, creds_dict = swauth.authtypes.validate_creds(creds)
except ValueError as e:
self.logger.error('%s' % e.args[0])
return False
return user_detail and auth_encoder.match(key, creds, **creds_dict)
| credentials_match | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_detail, key):\n if user_detail:\n creds = user_detail.get('auth')\n try:\n auth_encoder, creds_dict = swauth.authtypes.v... |
def x(self, req, user):
admin_detail = self.get_admin_detail(req)
if not admin_detail:
return False
if '.admin' not in (g['name'] for g in admin_detail['groups']):
if req.headers.get('x-auth-user-admin') == 'true' or req.headers.get(
'x-auth-user-reseller-admin') == 'true':
return False
if '.reseller_admin' not in (g['name'] for g in admin_detail['groups']
) and req.headers.get('x-auth-user-reseller-admin') == 'true':
return False
return req.headers.get('x-auth-admin-user'
) == user and self.credentials_match(admin_detail, req.headers.get(
'x-auth-admin-key'))
| is_user_changing_own_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, req, user):\n admin_detail = self.get_admin_detail(req)\n if not admin_detail:\n return False\n if '.admin' not in (g['name'] for g in ad... |
def x(self, req):
return req.headers.get('x-auth-admin-user'
) == '.super_admin' and self.super_admin_key and req.headers.get(
'x-auth-admin-key') == self.super_admin_key
| is_super_admin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, req):\n return req.headers.get('x-auth-admin-user'\n ) == '.super_admin' and self.super_admin_key and req.headers.get(\n 'x-auth-admin-k... |
def x(self, req, admin_detail=None):
req.credentials_valid = False
if self.is_super_admin(req):
return True
if not admin_detail:
admin_detail = self.get_admin_detail(req)
if not self.credentials_match(admin_detail, req.headers.get(
'x-auth-admin-key')):
return False
req.credentials_valid = True
return '.reseller_admin' in (g['name'] for g in admin_detail['groups'])
| is_reseller_admin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, req, admin_detail=None):\n req.credentials_valid = False\n if self.is_super_admin(req):\n return True\n if not admin_detail:\n adm... |
def x(creds):
try:
auth_type, auth_rest = creds.split(':', 1)
except ValueError:
raise ValueError("Missing ':' in %s" % creds)
authtypes = sys.modules[__name__]
auth_encoder = getattr(authtypes, auth_type.title(), None)
if auth_encoder is None:
raise ValueError('Invalid auth_type: %s' % auth_type)
auth_encoder = auth_encoder()
parsed_creds = dict(type=auth_type, salt=None, hash=None)
parsed_creds.update(auth_encoder.validate(auth_rest))
return auth_encoder, parsed_creds
| validate_creds | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(creds):\n try:\n auth_type, auth_rest = creds.split(':', 1)\n except ValueError:\n raise ValueError(\"Missing ':' in %s\" % creds)\n aut... |
def x(self, salt, key):
enc_key = '%s%s' % (salt, key)
enc_val = hashlib.sha1(enc_key).hexdigest()
return 'sha1:%s$%s' % (salt, enc_val)
| encode_w_salt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, salt, key):\n enc_key = '%s%s' % (salt, key)\n enc_val = hashlib.sha1(enc_key).hexdigest()\n return 'sha1:%s$%s' % (salt, enc_val)\n",
"role... |
def x(self, key):
salt = self.salt or os.urandom(32).encode('base64').rstrip()
return self.encode_w_salt(salt, key)
| encode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n salt = self.salt or os.urandom(32).encode('base64').rstrip()\n return self.encode_w_salt(salt, key)\n",
"role": "user"
},
{
"co... |
def x(self, key, creds, salt, **kwargs):
return self.encode_w_salt(salt, key) == creds
| match | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, creds, salt, **kwargs):\n return self.encode_w_salt(salt, key) == creds\n",
"role": "user"
},
{
"content": "match",
"role": "assi... |
def x(self, auth_rest):
try:
auth_salt, auth_hash = auth_rest.split('$')
except ValueError:
raise ValueError("Missing '$' in %s" % auth_rest)
if len(auth_salt) == 0:
raise ValueError('Salt must have non-zero length!')
if len(auth_hash) != 40:
raise ValueError('Hash must have 40 chars!')
if not all(c in string.hexdigits for c in auth_hash):
raise ValueError('Hash must be hexadecimal!')
return dict(salt=auth_salt, hash=auth_hash)
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, auth_rest):\n try:\n auth_salt, auth_hash = auth_rest.split('$')\n except ValueError:\n raise ValueError(\"Missing '$' in %s\" % auth... |
def x(self, dt_index, slp_types, holidays=None):
file_path = os.path.join(self.datapath, 'selp_series.csv')
selp_series = pd.read_csv(file_path)
tmp_df = selp_series
index = pd.date_range(pd.datetime(2007, 1, 1, 0), periods=2016, freq=
'15Min')
tmp_df.set_index(index, inplace=True)
new_df = pd.DataFrame(index=dt_index, columns=slp_types).fillna(0)
new_df = add_weekdays2df(new_df, holidays=holidays, holiday_is_sunday=True)
new_df['hour'] = dt_index.hour + 1
new_df['minute'] = dt_index.minute
time_df = new_df[['date', 'hour', 'minute', 'weekday']].copy()
tmp_df[slp_types] = tmp_df[slp_types].astype(float)
tmp_df['hour_of_day'] = tmp_df.index.hour + 1
tmp_df['minute_of_hour'] = tmp_df.index.minute
left_cols = ['hour_of_day', 'minute_of_hour', 'weekday']
right_cols = ['hour', 'minute', 'weekday']
tmp_df = tmp_df.reset_index()
tmp_df.pop('index')
for p in self.seasons.keys():
a = pd.datetime(self.year, self.seasons[p][0], self.seasons[p][1], 0, 0
)
b = pd.datetime(self.year, self.seasons[p][2], self.seasons[p][3],
23, 59)
new_df.update(pd.DataFrame.merge(tmp_df[tmp_df['period'] == p[:-1]],
time_df[a:b], left_on=left_cols, right_on=right_cols, how=
'inner', left_index=True).sort_index().drop(['hour_of_day'], 1))
new_df.drop('date', axis=1, inplace=True)
return new_df.div(new_df.sum(axis=0), axis=1)
| create_bdew_load_profiles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dt_index, slp_types, holidays=None):\n file_path = os.path.join(self.datapath, 'selp_series.csv')\n selp_series = pd.read_csv(file_path)\n tmp_d... |
def x(self, ann_el_demand_per_sector):
return self.slp_frame.multiply(pd.Series(ann_el_demand_per_sector), axis=1
).dropna(how='all', axis=1) * 4
| get_profile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ann_el_demand_per_sector):\n return self.slp_frame.multiply(pd.Series(ann_el_demand_per_sector), axis=1\n ).dropna(how='all', axis=1) * 4\n",
... |
def x(self, how='geometric_series'):
temperature = self.df['temperature'].resample('D').mean().reindex(self.
df.index).fillna(method='ffill').fillna(method='bfill')
if how == 'geometric_series':
temperature_mean = (temperature + 0.5 * np.roll(temperature, 24) +
0.25 * np.roll(temperature, 48) + 0.125 * np.roll(temperature, 72)
) / 1.875
elif how == 'mean':
temperature_mean = temperature
else:
temperature_mean = None
return temperature_mean
| weighted_temperature | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, how='geometric_series'):\n temperature = self.df['temperature'].resample('D').mean().reindex(self.\n df.index).fillna(method='ffill').fillna(me... |
def x(self):
intervals = {(-20): 1, (-19): 1, (-18): 1, (-17): 1, (-16): 1, (-15): 1,
(-14): 2, (-13): 2, (-12): 2, (-11): 2, (-10): 2, (-9): 3, (-8): 3,
(-7): 3, (-6): 3, (-5): 3, (-4): 4, (-3): 4, (-2): 4, (-1): 4, (0):
4, (1): 5, (2): 5, (3): 5, (4): 5, (5): 5, (6): 6, (7): 6, (8): 6,
(9): 6, (10): 6, (11): 7, (12): 7, (13): 7, (14): 7, (15): 7, (16):
8, (17): 8, (18): 8, (19): 8, (20): 8, (21): 9, (22): 9, (23): 9, (
24): 9, (25): 9, (26): 10, (27): 10, (28): 10, (29): 10, (30): 10,
(31): 10, (32): 10, (33): 10, (34): 10, (35): 10, (36): 10, (37):
10, (38): 10, (39): 10, (40): 10}
temperature_rounded = [ceil(i) for i in self.df['temperature_geo']]
temperature_interval = [intervals[i] for i in temperature_rounded]
return np.transpose(np.array(temperature_interval))
| get_temperature_interval | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n intervals = {(-20): 1, (-19): 1, (-18): 1, (-17): 1, (-16): 1, (-15): 1,\n (-14): 2, (-13): 2, (-12): 2, (-11): 2, (-10): 2, (-9): 3, (-8): ... |
def x(self, filename='shlp_hour_factors.csv'):
file = os.path.join(self.datapath, filename)
hour_factors = pd.read_csv(file, index_col=0)
hour_factors = hour_factors.query(
'building_class=={0} and shlp_type=="{1}"'.format(self.
building_class, self.shlp_type))
residential = self.building_class > 0
left_cols = ['hour_of_day'] + (['weekday'] if not residential else [])
right_cols = ['hour'] + (['weekday'] if not residential else [])
sf_mat = pd.DataFrame.merge(hour_factors, self.df, left_on=left_cols,
right_on=right_cols, how='outer', left_index=True).sort_index()
drop_cols = ['hour_of_day', 'hour', 'building_class', 'shlp_type',
'date', 'temperature'] + (['weekday_x'] if residential else []) + ([
'weekday_y'] if residential else []) + (['weekday'] if not
residential else [])
sf_mat = sf_mat.drop(drop_cols, 1)
length = len(self.temperature)
sf = np.array(sf_mat)[np.array(list(range(0, length)))[:], (self.
get_temperature_interval() - 1)[:]]
return np.array(list(map(float, sf[:])))
| get_sf_values | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename='shlp_hour_factors.csv'):\n file = os.path.join(self.datapath, filename)\n hour_factors = pd.read_csv(file, index_col=0)\n hour_factors... |
def x(self, filename='shlp_sigmoid_factors.csv'):
file = os.path.join(self.datapath, filename)
sigmoid = pd.read_csv(file, index_col=0)
sigmoid = sigmoid.query('building_class=={0} and '.format(self.
building_class) + 'shlp_type=="{0}" and '.format(self.shlp_type) +
'wind_impact=={0}'.format(self.wind_class))
a = float(sigmoid['parameter_a'])
b = float(sigmoid['parameter_b'])
c = float(sigmoid['parameter_c'])
if self.ww_incl:
d = float(sigmoid['parameter_d'])
else:
d = 0
return a, b, c, d
| get_sigmoid_parameters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename='shlp_sigmoid_factors.csv'):\n file = os.path.join(self.datapath, filename)\n sigmoid = pd.read_csv(file, index_col=0)\n sigmoid = sigm... |
def x(self, filename='shlp_weekday_factors.csv'):
file = os.path.join(self.datapath, filename)
f_df = pd.read_csv(file, index_col=0)
tmp_df = f_df.query('shlp_type=="{0}"'.format(self.shlp_type)).drop(
'shlp_type', axis=1)
tmp_df['weekdays'] = np.array(list(range(7))) + 1
return np.array(list(map(float, pd.DataFrame.merge(tmp_df, self.df,
left_on='weekdays', right_on='weekday', how='inner', left_index=
True).sort_index()['wochentagsfaktor'])))
| get_weekday_parameters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename='shlp_weekday_factors.csv'):\n file = os.path.join(self.datapath, filename)\n f_df = pd.read_csv(file, index_col=0)\n tmp_df = f_df.que... |
def x(self):
self.df['temperature'] = self.temperature.values
self.df['temperature_geo'] = self.weighted_temperature(how=
'geometric_series')
sf = self.get_sf_values()
[a, b, c, d] = self.get_sigmoid_parameters()
f = self.get_weekday_parameters()
h = a / (1 + (b / (self.df['temperature_geo'] - 40)) ** c) + d
kw = 1.0 / (sum(h * f) / 24)
heat_profile_normalized = kw * h * f * sf
return heat_profile_normalized
| get_normalized_bdew_profile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.df['temperature'] = self.temperature.values\n self.df['temperature_geo'] = self.weighted_temperature(how=\n 'geometric_series')\n ... |
def x(path, **kwargs):
import os.path
return os.path.isfile(path, **kwargs)
| isfile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, **kwargs):\n import os.path\n return os.path.isfile(path, **kwargs)\n",
"role": "user"
},
{
"content": "isfile",
"role": "assistant... |
def x(path, **kwargs):
import os.path
return os.path.isdir(path, **kwargs)
| isdir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, **kwargs):\n import os.path\n return os.path.isdir(path, **kwargs)\n",
"role": "user"
},
{
"content": "isdir",
"role": "assistant"
... |
def x(oldPath, newPath, **kwargs):
import os
return os.rename(oldPath, newPath, **kwargs)
| rename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(oldPath, newPath, **kwargs):\n import os\n return os.rename(oldPath, newPath, **kwargs)\n",
"role": "user"
},
{
"content": "rename",
"rol... |
def x(path, user=None, group=None):
import os
import pwd
import grp
uid = pwd.getpwnam(user).pw_uid if user else -1
gid = grp.getgrnam(group).gr_gid if group else -1
return os.chown(path, uid, gid)
| chown | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, user=None, group=None):\n import os\n import pwd\n import grp\n uid = pwd.getpwnam(user).pw_uid if user else -1\n gid = grp.getgrnam(group... |
def x(path, mode):
import os, stat
st = os.stat(path)
return os.chmod(path, mode)
| chmod | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, mode):\n import os, stat\n st = os.stat(path)\n return os.chmod(path, mode)\n",
"role": "user"
},
{
"content": "chmod",
"role": ... |
def x(path, **kwargs):
import os.path
return os.path.abspath(path, **kwargs)
| abspath | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, **kwargs):\n import os.path\n return os.path.abspath(path, **kwargs)\n",
"role": "user"
},
{
"content": "abspath",
"role": "assista... |
def x(path, **kwargs):
import os.path
return os.path.normpath(path, **kwargs)
| normalize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, **kwargs):\n import os.path\n return os.path.normpath(path, **kwargs)\n",
"role": "user"
},
{
"content": "normalize",
"role": "assi... |
def x(path, recursive=True, **kwargs):
if recursive:
import shutil
return shutil.rmtree(path, **kwargs)
else:
import os
return os.remdir(path, **kwargs)
| rmdir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, recursive=True, **kwargs):\n if recursive:\n import shutil\n return shutil.rmtree(path, **kwargs)\n else:\n import os\n ... |
def x(path, recursive=True, **kwargs):
import os
if recursive:
os.makedirs(path, **kwargs)
else:
os.mkdir(path, **kwargs)
| mkdir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, recursive=True, **kwargs):\n import os\n if recursive:\n os.makedirs(path, **kwargs)\n else:\n os.mkdir(path, **kwargs)\n",
"r... |
def x(path):
import os
try:
OPEN_FUNC(path, 'a+').close()
except IOError:
os.utime(path, None)
| touch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n import os\n try:\n OPEN_FUNC(path, 'a+').close()\n except IOError:\n os.utime(path, None)\n",
"role": "user"
},
{
"... |
def x(path, **kwargs):
import os.path
return os.path.exists(path, **kwargs)
| exists | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, **kwargs):\n import os.path\n return os.path.exists(path, **kwargs)\n",
"role": "user"
},
{
"content": "exists",
"role": "assistant... |
def x(path='.'):
import os
for f in os.listdir(path):
if isfile(join(path, f)):
yield join(path, f) if path != '.' else f
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path='.'):\n import os\n for f in os.listdir(path):\n if isfile(join(path, f)):\n yield join(path, f) if path != '.' else f\n",
"ro... |
def x(path='.'):
import os
for f in os.listdir(path):
if isdir(join(path, f)):
yield join(path, f) if path != '.' else f
| listdirs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path='.'):\n import os\n for f in os.listdir(path):\n if isdir(join(path, f)):\n yield join(path, f) if path != '.' else f\n",
"rol... |
def x(pattern, path='.', exclude=None, recursive=True):
import fnmatch
import os
if recursive:
for root, dirnames, filenames in os.walk(path):
for pat in _to_list(pattern):
for filename in fnmatch.filter(filenames, pat):
filepath = join(abspath(root), filename)
for excl in _to_list(exclude):
if excl and fnmatch.fnmatch(filepath, excl):
break
else:
yield filepath
else:
for pat in _to_list(pattern):
for filename in fnmatch.filter(list(path), pat):
filepath = join(abspath(path), filename)
for excl in _to_list(exclude):
if excl and fnmatch.fnmatch(filepath, excl):
break
else:
yield filepath
| find | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern, path='.', exclude=None, recursive=True):\n import fnmatch\n import os\n if recursive:\n for root, dirnames, filenames in os.walk(path)... |
def x(pattern, path='.', exclude=None, recursive=True):
import fnmatch
import os
if recursive:
for root, dirnames, filenames in os.walk(path):
for pat in _to_list(pattern):
for dirname in fnmatch.filter(dirnames, pat):
dirpath = join(abspath(root), dirname)
for excl in _to_list(exclude):
if excl and fnmatch.fnmatch(dirpath, excl):
break
else:
yield dirpath
else:
for pat in _to_list(pattern):
for dirname in fnmatch.filter(listdirs(path), pat):
dirpath = join(abspath(path), dirname)
for excl in _to_list(exclude):
if excl and fnmatch.fnmatch(dirpath, excl):
break
else:
yield dirpath
| finddirs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern, path='.', exclude=None, recursive=True):\n import fnmatch\n import os\n if recursive:\n for root, dirnames, filenames in os.walk(path)... |
def x(path, content, encoding='UTF-8', append=False, raw=False):
mode = 'wb' if not append else 'ab'
with OPEN_FUNC(path, mode) as _file:
if raw:
import shutil
shutil.copyfileobj(content, _file)
else:
_file.write(content.encode(encoding))
| write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, content, encoding='UTF-8', append=False, raw=False):\n mode = 'wb' if not append else 'ab'\n with OPEN_FUNC(path, mode) as _file:\n if raw:\... |
def x(path, encoding='UTF-8'):
with OPEN_FUNC(path, 'rb') as _file:
cont = _file.read()
return cont.decode(encoding)
| read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, encoding='UTF-8'):\n with OPEN_FUNC(path, 'rb') as _file:\n cont = _file.read()\n return cont.decode(encoding)\n",
"role": "user"
... |
def x(path):
try:
import cPickle as pickle
except:
import pickle
with open(path, 'rb') as file:
return pickle.load(file)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n try:\n import cPickle as pickle\n except:\n import pickle\n with open(path, 'rb') as file:\n return pickle.load(file)\n"... |
def x(path, obj):
try:
import cPickle as pickle
except:
import pickle
with open(path, 'wb') as file:
return pickle.dump(obj, file)
| put | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, obj):\n try:\n import cPickle as pickle\n except:\n import pickle\n with open(path, 'wb') as file:\n return pickle.dump(obj... |
def x(*args, **kwargs):
import os.path
if _is_list(args[0]):
return os.path.join(*args[0])
return os.path.join(*args, **kwargs)
| join | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n import os.path\n if _is_list(args[0]):\n return os.path.join(*args[0])\n return os.path.join(*args, **kwargs)\n",
"role... |
def x(path, **kwargs):
import os.path
name, ext = os.path.splitext(path, **kwargs)
return ext
| extname | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, **kwargs):\n import os.path\n name, ext = os.path.splitext(path, **kwargs)\n return ext\n",
"role": "user"
},
{
"content": "extname"... |
def x(path, ext=''):
import os.path
if ext is False:
return os.path.basename(path).replace(extname(path), '')
else:
return os.path.basename(path).replace(ext, '')
| basename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, ext=''):\n import os.path\n if ext is False:\n return os.path.basename(path).replace(extname(path), '')\n else:\n return os.path.b... |
def x(path, suffix=''):
return join(dirname(path), basename(path, ext=False) + suffix + extname
(path))
| add_suffix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, suffix=''):\n return join(dirname(path), basename(path, ext=False) + suffix + extname\n (path))\n",
"role": "user"
},
{
"content": ... |
def x(path):
import sys
if not exists(path):
raise ValueError('Path %s does not exist' % path)
sys.path.insert(1, path)
| addpath | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n import sys\n if not exists(path):\n raise ValueError('Path %s does not exist' % path)\n sys.path.insert(1, path)\n",
"role": "user... |
def x(time_df, holidays=None, holiday_is_sunday=False):
time_df['weekday'] = time_df.index.weekday + 1
time_df['date'] = time_df.index.date
if holidays is not None:
if isinstance(holidays, dict):
holidays = list(holidays.keys())
time_df['weekday'].mask(pd.to_datetime(time_df['date']).isin(pd.
to_datetime(holidays)), 0, True)
if holiday_is_sunday:
time_df.weekday.mask(time_df.weekday == 0, 7, True)
return time_df
| add_weekdays2df | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(time_df, holidays=None, holiday_is_sunday=False):\n time_df['weekday'] = time_df.index.weekday + 1\n time_df['date'] = time_df.index.date\n if holiday... |
def x(self, annual_demand, **kwargs):
am = kwargs.get('am', settime(7, 0, 0))
pm = kwargs.get('pm', settime(23, 30, 0))
week = kwargs.get('week', [1, 2, 3, 4, 5])
weekend = kwargs.get('weekend', [0, 6, 7])
default_factors = {'week': {'day': 0.8, 'night': 0.6}, 'weekend': {
'day': 0.9, 'night': 0.7}}
profile_factors = kwargs.get('profile_factors', default_factors)
self.dataframe['ind'] = 0
self.dataframe['ind'].mask(self.dataframe['weekday'].between_time(am,
pm).isin(week), profile_factors['week']['day'], True)
self.dataframe['ind'].mask(self.dataframe['weekday'].between_time(pm,
am).isin(week), profile_factors['week']['night'], True)
self.dataframe['ind'].mask(self.dataframe['weekday'].between_time(am,
pm).isin(weekend), profile_factors['weekend']['day'], True)
self.dataframe['ind'].mask(self.dataframe['weekday'].between_time(pm,
am).isin(weekend), profile_factors['weekend']['night'], True)
if self.dataframe['ind'].isnull().any(axis=0):
logging.error('NAN value found in industrial load profile')
time_interval = self.dataframe.index.freq.nanos / 3600000000000.0
return self.dataframe['ind'] / self.dataframe['ind'].sum(
) * annual_demand / time_interval
| simple_profile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, annual_demand, **kwargs):\n am = kwargs.get('am', settime(7, 0, 0))\n pm = kwargs.get('pm', settime(23, 30, 0))\n week = kwargs.get('week', [1, ... |
def x(self):
if getattr(self, '_script', None) is None:
self._script = self._script__getter()
return self._script
| script | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if getattr(self, '_script', None) is None:\n self._script = self._script__getter()\n return self._script\n",
"role": "user"
},
{
... |
def x(n):
if not n:
return 0
e = 0
while n % 10 == 0 and e < 9:
n = n // 10
e = e + 1
if e < 9:
n, d = divmod(n, 10)
return 1 + (n * 9 + d - 1) * 10 + e
else:
return 1 + (n - 1) * 10 + 9
| compress_amount | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n):\n if not n:\n return 0\n e = 0\n while n % 10 == 0 and e < 9:\n n = n // 10\n e = e + 1\n if e < 9:\n n, d = divmod... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.