source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(neighbors, coords, I, source_files, f, sides):
for i, c1 in enumerate(coords):
me = source_files[I[i]]
if neighbors[me][sides[0]] != '':
continue
for j, c2 in enumerate(coords):
if f(c1, c2):
neigh = source_files[I[j]]
neighbors[me][sides[0]] = neigh
neighbors[neigh][sides[1]] = me
break
return neighbors
| find_neighbors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(neighbors, coords, I, source_files, f, sides):\n for i, c1 in enumerate(coords):\n me = source_files[I[i]]\n if neighbors[me][sides[0]] != '':... |
def x(self, elev_fn, dem_proc, interp=None):
if interp is None:
interp = self.build_interpolator(dem_proc)
opp = {'top': 'bottom', 'left': 'right'}
for key in self.neighbors[elev_fn].keys():
tile = self.neighbors[elev_fn][key]
if tile == '':
continue
oppkey = key
for me, neigh in opp.iteritems():
if me in key:
oppkey = oppkey.replace(me, neigh)
else:
oppkey = oppkey.replace(neigh, me)
opp_edge = self.neighbors[tile][oppkey]
if opp_edge == '':
continue
interp.values = dem_proc.uca[::-1, :]
for key_ed in oppkey.split('-'):
self.edges[tile][key_ed].set_data('data', interp)
interp.values = dem_proc.edge_done[::-1, :].astype(float)
for key_ed in oppkey.split('-'):
self.edges[tile][key_ed].set_data('done', interp)
| set_neighbor_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, elev_fn, dem_proc, interp=None):\n if interp is None:\n interp = self.build_interpolator(dem_proc)\n opp = {'top': 'bottom', 'left': 'right'... |
def x(self, elev_fn, dem_proc):
for key in self.edges[elev_fn].keys():
self.edges[elev_fn][key].set_data('todo', data=dem_proc.edge_todo)
| update_edge_todo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, elev_fn, dem_proc):\n for key in self.edges[elev_fn].keys():\n self.edges[elev_fn][key].set_data('todo', data=dem_proc.edge_todo)\n",
"role... |
def x(self, elev_fn, dem_proc):
interp = self.build_interpolator(dem_proc)
self.update_edge_todo(elev_fn, dem_proc)
self.set_neighbor_data(elev_fn, dem_proc, interp)
| update_edges | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, elev_fn, dem_proc):\n interp = self.build_interpolator(dem_proc)\n self.update_edge_todo(elev_fn, dem_proc)\n self.set_neighbor_data(elev_fn, de... |
def x(self, fn, save_path=None):
edge_init_data = {key: self.edges[fn][key].get('data') for key in self.
edges[fn].keys()}
edge_init_done = {key: self.edges[fn][key].get('done') for key in self.
edges[fn].keys()}
edge_init_todo = {key: self.edges[fn][key].get('todo') for key in self.
edges[fn].keys()}
return edge_init_data, edge_init_done, edge_init_todo
| get_edge_init_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fn, save_path=None):\n edge_init_data = {key: self.edges[fn][key].get('data') for key in self.\n edges[fn].keys()}\n edge_init_done = {key: ... |
def x(self, elev_source_files=None):
self.fill_percent_done()
i_b = np.argmax(self.percent_done.values())
if self.percent_done.values()[i_b] <= 0:
return None
I = np.array(self.percent_done.values()) == self.percent_done.values()[i_b]
if I.sum() == 1:
pass
else:
I2 = np.argmax(np.array(self.max_elev.values())[I])
i_b = I.nonzero()[0][I2]
assert np.array(self.max_elev.keys())[I][I2] == np.array(self.
percent_done.keys())[I][I2]
if elev_source_files is not None:
fn = self.percent_done.keys()[i_b]
lckfn = _get_lockfile_name(fn)
if os.path.exists(lckfn):
i_alt = np.argsort(self.percent_done.values())[::-1]
for i in i_alt:
fn = self.percent_done.keys()[i]
lckfn = _get_lockfile_name(fn)
if not os.path.exists(lckfn):
break
i_b = elev_source_files.index(fn)
return i_b
| find_best_candidate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, elev_source_files=None):\n self.fill_percent_done()\n i_b = np.argmax(self.percent_done.values())\n if self.percent_done.values()[i_b] <= 0:\n ... |
def x(fn):
try:
parts = os.path.splitext(os.path.split(fn)[-1])[0].replace('o', '.'
).split('_')[:2]
coords = [float(crds) for crds in re.split('[NSEW]', parts[0] +
parts[1])[1:]]
except:
coords = [np.nan] * 4
return coords
| parse_fn | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fn):\n try:\n parts = os.path.splitext(os.path.split(fn)[-1])[0].replace('o', '.'\n ).split('_')[:2]\n coords = [float(crds) for cr... |
def x(elev, name=None):
gcs = elev.grid_coordinates
coords = [gcs.LLC.lat, gcs.LLC.lon, gcs.URC.lat, gcs.URC.lon]
return get_fn_from_coords(coords, name)
| get_fn | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(elev, name=None):\n gcs = elev.grid_coordinates\n coords = [gcs.LLC.lat, gcs.LLC.lon, gcs.URC.lat, gcs.URC.lon]\n return get_fn_from_coords(coords, na... |
def x(coords, name=None):
NS1 = ['S', 'N'][coords[0] > 0]
EW1 = ['W', 'E'][coords[1] > 0]
NS2 = ['S', 'N'][coords[2] > 0]
EW2 = ['W', 'E'][coords[3] > 0]
new_name = '%s%0.3g%s%0.3g_%s%0.3g%s%0.3g' % (NS1, coords[0], EW1,
coords[1], NS2, coords[2], EW2, coords[3])
if name is not None:
new_name += '_' + name
return new_name.replace('.', 'o') + '.tif'
| get_fn_from_coords | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(coords, name=None):\n NS1 = ['S', 'N'][coords[0] > 0]\n EW1 = ['W', 'E'][coords[1] > 0]\n NS2 = ['S', 'N'][coords[2] > 0]\n EW2 = ['W', 'E'][coords... |
def x(geotif):
ELLIPSOID_MAP = {'WGS84': 'WGS-84'}
ellipsoid = ELLIPSOID_MAP[geotif.grid_coordinates.wkt]
d = distance(ellipsoid=ellipsoid)
dx = geotif.grid_coordinates.x_axis
dy = geotif.grid_coordinates.y_axis
dX = np.zeros(dy.shape[0] - 1)
for j in xrange(len(dX)):
dX[j] = d.measure((dy[j + 1], dx[1]), (dy[j + 1], dx[0])) * 1000
dY = np.zeros(dy.shape[0] - 1)
for i in xrange(len(dY)):
dY[i] = d.measure((dy[i], 0), (dy[i + 1], 0)) * 1000
return dX, dY
| mk_dx_dy_from_geotif_layer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(geotif):\n ELLIPSOID_MAP = {'WGS84': 'WGS-84'}\n ellipsoid = ELLIPSOID_MAP[geotif.grid_coordinates.wkt]\n d = distance(ellipsoid=ellipsoid)\n dx = ... |
def x(raster, fn, bands=1, gdal_data_type=gdal.GDT_Float32, lat=[46, 45],
lon=[-73, -72]):
NNi, NNj = raster.shape
driver = gdal.GetDriverByName('GTiff')
obj = driver.Create(fn, NNj, NNi, bands, gdal_data_type)
pixel_height = -np.abs(lat[0] - lat[1]) / (NNi - 1.0)
pixel_width = np.abs(lon[0] - lon[1]) / (NNj - 1.0)
obj.SetGeoTransform([lon[0], pixel_width, 0, lat[0], 0, pixel_height])
srs = osr.SpatialReference()
srs.SetWellKnownGeogCS('WGS84')
obj.SetProjection(srs.ExportToWkt())
obj.GetRasterBand(1).WriteArray(raster)
return obj, driver
| mk_geotiff_obj | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raster, fn, bands=1, gdal_data_type=gdal.GDT_Float32, lat=[46, 45],\n lon=[-73, -72]):\n NNi, NNj = raster.shape\n driver = gdal.GetDriverByName('GTif... |
def x(a, i=0, index_out=False, recurse=True):
I = np.argsort(a[:, i])
a = a[I, :]
if recurse & (len(a[0]) > i + 1):
for b in np.unique(a[:, i]):
ids = a[:, i] == b
colids = range(i) + range(i + 1, len(a[0]))
a[np.ix_(ids, colids)], I2 = sortrows(a[np.ix_(ids, colids)], 0,
True, True)
I[ids] = I[np.nonzero(ids)[0][I2]]
if index_out:
return a, I
else:
return a
| sortrows | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, i=0, index_out=False, recurse=True):\n I = np.argsort(a[:, i])\n a = a[I, :]\n if recurse & (len(a[0]) > i + 1):\n for b in np.unique(a[:, i... |
def x(I, shape, size):
m, n = shape
In = I % n
bL = In != 0
bR = In != n - 1
J = np.concatenate([I - n, I[bL] - 1, I[bR] + 1, I + n, I[bL] - n - 1,
I[bR] - n + 1, I[bL] + n - 1, I[bR] + n + 1])
J = J[(J >= 0) & (J < size)]
return J
| get_adjacent_index | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(I, shape, size):\n m, n = shape\n In = I % n\n bL = In != 0\n bR = In != n - 1\n J = np.concatenate([I - n, I[bL] - 1, I[bR] + 1, I + n, I[bL] -... |
def x(I, shape, size):
J = get_adjacent_index(I, shape, size)
return np.setdiff1d(J, I)
| get_border_index | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(I, shape, size):\n J = get_adjacent_index(I, shape, size)\n return np.setdiff1d(J, I)\n",
"role": "user"
},
{
"content": "get_border_index",
... |
def x(region):
internal = region[1:-1, 1:-1]
if internal.all() and internal.any():
return ~region
I, = np.where(region.ravel())
J = get_adjacent_index(I, region.shape, region.size)
border = np.zeros(region.size, dtype='bool')
border[J] = 1
border[I] = 0
border = border.reshape(region.shape)
return border
| get_border_mask | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(region):\n internal = region[1:-1, 1:-1]\n if internal.all() and internal.any():\n return ~region\n I, = np.where(region.ravel())\n J = get_... |
def x(region, src):
dmax = float(region.size)
d = np.full(region.shape, dmax)
d[src] = 0
for n in range(region.size):
d_orth = minimum_filter(d, footprint=_ORTH2) + 1
d_diag = minimum_filter(d, (3, 3)) + _SQRT2
d_adj = np.minimum(d_orth[region], d_diag[region])
d[region] = np.minimum(d_adj, d[region])
if (d[region] < dmax).all():
break
return d
| get_distance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(region, src):\n dmax = float(region.size)\n d = np.full(region.shape, dmax)\n d[src] = 0\n for n in range(region.size):\n d_orth = minimum_f... |
def x(slc, size):
return slice(max(0, slc.start - 1), min(size, slc.stop + 1))
| grow_slice | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(slc, size):\n return slice(max(0, slc.start - 1), min(size, slc.stop + 1))\n",
"role": "user"
},
{
"content": "grow_slice",
"role": "assista... |
def x(obj, shape):
if obj[0].start == 0:
return True
if obj[1].start == 0:
return True
if obj[0].stop == shape[0]:
return True
if obj[1].stop == shape[1]:
return True
return False
| is_edge | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, shape):\n if obj[0].start == 0:\n return True\n if obj[1].start == 0:\n return True\n if obj[0].stop == shape[0]:\n return T... |
def x(region):
x, y = center_of_mass(region)
w = np.argwhere(region)
i, j = w[np.argmin(np.linalg.norm(w - (x, y), axis=1))]
return i, j
| find_centroid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(region):\n x, y = center_of_mass(region)\n w = np.argwhere(region)\n i, j = w[np.argmin(np.linalg.norm(w - (x, y), axis=1))]\n return i, j\n",
... |
def x(self):
self._deque.clear()
self._total_length = 0
self._has_view = False
| clear | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._deque.clear()\n self._total_length = 0\n self._has_view = False\n",
"role": "user"
},
{
"content": "clear",
"role": "as... |
def x(self):
if not self._has_view:
if len(self._deque) == 0:
return b''
elif len(self._deque) == 1:
return self._deque[0]
else:
return b''.join(self._deque)
else:
tmp = [(x.tobytes() if isinstance(x, memoryview) else x) for x in
self._deque]
return b''.join(tmp)
| tobytes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self._has_view:\n if len(self._deque) == 0:\n return b''\n elif len(self._deque) == 1:\n return self._de... |
def x(self, chunk_max_size):
if self._total_length < chunk_max_size:
res = self._tobytes()
self.clear()
return res
first_iteration = True
while True:
try:
data = self._deque.popleft()
data_length = len(data)
self._total_length -= data_length
if first_iteration:
if data_length == chunk_max_size:
return data
elif data_length > chunk_max_size:
view = self._get_pointer_or_memoryview(data, data_length)
self.appendleft(view[chunk_max_size:])
return view[:chunk_max_size]
else:
chunk_write_buffer = WriteBuffer()
elif chunk_write_buffer._total_length + data_length > chunk_max_size:
view = self._get_pointer_or_memoryview(data, data_length)
limit = (chunk_max_size - chunk_write_buffer._total_length -
data_length)
self.appendleft(view[limit:])
data = view[:limit]
chunk_write_buffer.append(data)
if chunk_write_buffer._total_length >= chunk_max_size:
break
except IndexError:
self._has_view = False
break
first_iteration = False
return chunk_write_buffer._tobytes()
| pop_chunk | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chunk_max_size):\n if self._total_length < chunk_max_size:\n res = self._tobytes()\n self.clear()\n return res\n first_iterati... |
def x(self, name):
if not self.name:
raise ValueError('%r has an empty name' % (self,))
return self._from_parsed_parts(self._drv, self._root, self._parts[:-1] +
[name])
| with_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n if not self.name:\n raise ValueError('%r has an empty name' % (self,))\n return self._from_parsed_parts(self._drv, self._root, self... |
def x(self, suffix):
drv, root, parts = self._flavour.parse_parts((suffix,))
if drv or root or len(parts) != 1:
raise ValueError('Invalid suffix %r' % suffix)
suffix = parts[0]
if not suffix.startswith('.'):
raise ValueError('Invalid suffix %r' % suffix)
name = self.name
if not name:
raise ValueError('%r has an empty name' % (self,))
old_suffix = self.suffix
if not old_suffix:
name = name + suffix
else:
name = name[:-len(old_suffix)] + suffix
return self._from_parsed_parts(self._drv, self._root, self._parts[:-1] +
[name])
| with_suffix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, suffix):\n drv, root, parts = self._flavour.parse_parts((suffix,))\n if drv or root or len(parts) != 1:\n raise ValueError('Invalid suffix %... |
def x(self, flags, mode=511):
return self._accessor.open(self, flags, mode)
| raw_open | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, flags, mode=511):\n return self._accessor.open(self, flags, mode)\n",
"role": "user"
},
{
"content": "raw_open",
"role": "assistant"
... |
def x(self):
for name in self._accessor.listdir(self):
if name in ('.', '..'):
continue
yield self._make_child_relpath(name)
| iterdir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for name in self._accessor.listdir(self):\n if name in ('.', '..'):\n continue\n yield self._make_child_relpath(name)\n",
... |
def x(self):
if self.is_absolute():
return self
obj = self._from_parts([os.getcwd()] + self._parts, init=False)
obj._init(template=self)
return obj
| absolute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.is_absolute():\n return self\n obj = self._from_parts([os.getcwd()] + self._parts, init=False)\n obj._init(template=self)\n ... |
def x(self):
s = self._flavour.resolve(self)
if s is None:
self.stat()
s = str(self.absolute())
normed = self._flavour.pathmod.normpath(s)
obj = self._from_parts((normed,), init=False)
obj._init(template=self)
return obj
| resolve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n s = self._flavour.resolve(self)\n if s is None:\n self.stat()\n s = str(self.absolute())\n normed = self._flavour.pathmod.normp... |
def x(self, mode='r', buffering=-1, encoding=None, errors=None, newline=None):
if sys.version_info >= (3, 3):
return io.open(str(self), mode, buffering, encoding, errors,
newline, opener=self._opener)
else:
return io.open(str(self), mode, buffering, encoding, errors, newline)
| open | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mode='r', buffering=-1, encoding=None, errors=None, newline=None):\n if sys.version_info >= (3, 3):\n return io.open(str(self), mode, buffering... |
def x(self, target):
if sys.version_info < (3, 3):
raise NotImplementedError(
'replace() is only available with Python 3.3 and later')
self._accessor.replace(self, target)
| replace | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target):\n if sys.version_info < (3, 3):\n raise NotImplementedError(\n 'replace() is only available with Python 3.3 and later')\n ... |
def x(self, target, target_is_directory=False):
self._accessor.symlink(target, self, target_is_directory)
| symlink_to | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target, target_is_directory=False):\n self._accessor.symlink(target, self, target_is_directory)\n",
"role": "user"
},
{
"content": "symlin... |
def x(self):
try:
return S_ISLNK(self.lstat().st_mode)
except OSError as e:
if e.errno != ENOENT:
raise
return False
| is_symlink | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n return S_ISLNK(self.lstat().st_mode)\n except OSError as e:\n if e.errno != ENOENT:\n raise\n return Fals... |
def x(self):
try:
return S_ISBLK(self.stat().st_mode)
except OSError as e:
if e.errno != ENOENT:
raise
return False
| is_block_device | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n return S_ISBLK(self.stat().st_mode)\n except OSError as e:\n if e.errno != ENOENT:\n raise\n return False... |
def x(self):
try:
return S_ISCHR(self.stat().st_mode)
except OSError as e:
if e.errno != ENOENT:
raise
return False
| is_char_device | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n return S_ISCHR(self.stat().st_mode)\n except OSError as e:\n if e.errno != ENOENT:\n raise\n return False... |
def x(upper_left_corner, lower_right_corner, size):
assert upper_left_corner.wkt == lower_right_corner.wkt
geotransform = np.array([upper_left_corner.lon, -(upper_left_corner.lon -
lower_right_corner.lon) / float(size[1]), 0, upper_left_corner.lat,
0, -(upper_left_corner.lat - lower_right_corner.lat) / float(size[0])])
return GridCoordinates(geotransform=geotransform, wkt=upper_left_corner
.wkt, y_size=size[0], x_size=size[1])
| grid_coords_from_corners | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(upper_left_corner, lower_right_corner, size):\n assert upper_left_corner.wkt == lower_right_corner.wkt\n geotransform = np.array([upper_left_corner.lon, ... |
def x(self, other_grid_coordinates):
ogc = other_grid_coordinates
ax1, ay1, ax2, ay2 = self.ULC.lon, self.ULC.lat, self.LRC.lon, self.LRC.lat
bx1, by1, bx2, by2 = ogc.ULC.lon, ogc.ULC.lat, ogc.LRC.lon, ogc.LRC.lat
if ax1 <= bx2 and ax2 >= bx1 and ay1 >= by2 and ay2 <= by1:
return True
else:
return False
| intersects | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other_grid_coordinates):\n ogc = other_grid_coordinates\n ax1, ay1, ax2, ay2 = self.ULC.lon, self.ULC.lat, self.LRC.lon, self.LRC.lat\n bx1, by1... |
def x(self):
x_centers = np.linspace(0.5, self.x_size - 0.5, self.x_size)
y_centers = x_centers * 0
return self.geotransform[0] + self.geotransform[1
] * x_centers + self.geotransform[2] * y_centers
| get_x_axis | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n x_centers = np.linspace(0.5, self.x_size - 0.5, self.x_size)\n y_centers = x_centers * 0\n return self.geotransform[0] + self.geotransform[1\... |
def x(self):
y_centers = np.linspace(0.5, self.y_size - 0.5, self.y_size)
x_centers = y_centers * 0
return self.geotransform[3] + self.geotransform[4
] * x_centers + self.geotransform[5] * y_centers
| get_y_axis | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n y_centers = np.linspace(0.5, self.y_size - 0.5, self.y_size)\n x_centers = y_centers * 0\n return self.geotransform[3] + self.geotransform[4\... |
def x(self, pixel_x, pixel_y):
h_px_py = np.array([1, pixel_x, pixel_y])
gt = np.array([[1, 0, 0], self.geotransform[0:3], self.geotransform[3:6]])
arr = np.inner(gt, h_px_py)
return arr[2], arr[1]
| raster_to_projection_coords | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pixel_x, pixel_y):\n h_px_py = np.array([1, pixel_x, pixel_y])\n gt = np.array([[1, 0, 0], self.geotransform[0:3], self.geotransform[3:6]])\n ar... |
def x(self, lat, lon):
r_px_py = np.array([1, lon, lat])
tg = inv(np.array([[1, 0, 0], self.geotransform[0:3], self.geotransform
[3:6]]))
return np.inner(tg, r_px_py)[1:]
| projection_to_raster_coords | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lat, lon):\n r_px_py = np.array([1, lon, lat])\n tg = inv(np.array([[1, 0, 0], self.geotransform[0:3], self.geotransform\n [3:6]]))\n ret... |
def x(self, grid_coordinates, interp=gdalconst.GRA_NearestNeighbour):
source_dataset = self.grid_coordinates._as_gdal_dataset()
dest_dataset = grid_coordinates._as_gdal_dataset()
rb = source_dataset.GetRasterBand(1)
rb.SetNoDataValue(NO_DATA_VALUE)
rb.WriteArray(np.ma.filled(self.raster_data, NO_DATA_VALUE))
gdal.ReprojectImage(source_dataset, dest_dataset, source_dataset.
GetProjection(), dest_dataset.GetProjection(), interp)
dest_layer = self.clone_traits()
dest_layer.grid_coordinates = grid_coordinates
rb = dest_dataset.GetRasterBand(1)
dest_layer.raster_data = np.ma.masked_values(rb.ReadAsArray(),
NO_DATA_VALUE)
return dest_layer
| reproject_to_grid_coordinates | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, grid_coordinates, interp=gdalconst.GRA_NearestNeighbour):\n source_dataset = self.grid_coordinates._as_gdal_dataset()\n dest_dataset = grid_coordin... |
def x(self):
import inpaint
filled = inpaint.replace_nans(np.ma.filled(self.raster_data, np.NAN).
astype(np.float32), 3, 0.01, 2)
self.raster_data = np.ma.masked_invalid(filled)
| inpaint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n import inpaint\n filled = inpaint.replace_nans(np.ma.filled(self.raster_data, np.NAN).\n astype(np.float32), 3, 0.01, 2)\n self.raster... |
def x(self, lat, lon, indexed=False):
px, py = self.grid_coordinates.projection_to_raster_coords(lat, lon)
if indexed:
return self.raster_data[round(py), round(px)]
else:
from scipy.ndimage import map_coordinates
ret = map_coordinates(self.raster_data, [[py], [px]], order=1)
return ret[0]
| interp_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lat, lon, indexed=False):\n px, py = self.grid_coordinates.projection_to_raster_coords(lat, lon)\n if indexed:\n return self.raster_data[rou... |
def x(self):
if self.__sem is not None:
yield self.__sem.acquire()
client = None
newly_created, client = self._get_client_from_pool_or_make_it()
if newly_created:
res = yield client.connect()
if not res:
LOG.warning("can't connect to %s", client.title)
raise tornado.gen.Return(ClientError("can't connect to %s" %
client.title))
raise tornado.gen.Return(client)
| get_connected_client | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.__sem is not None:\n yield self.__sem.acquire()\n client = None\n newly_created, client = self._get_client_from_pool_or_make_i... |
def x(self):
if self.__sem is not None:
if self.__sem._value == 0:
return None
self.__sem.acquire()
_, client = self._get_client_from_pool_or_make_it()
return client
| get_client_nowait | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.__sem is not None:\n if self.__sem._value == 0:\n return None\n self.__sem.acquire()\n _, client = self._get_cl... |
def x(self):
future = self.get_connected_client()
cb = functools.partial(self._connected_client_release_cb, future)
return ContextManagerFuture(future, cb)
| connected_client | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n future = self.get_connected_client()\n cb = functools.partial(self._connected_client_release_cb, future)\n return ContextManagerFuture(future... |
def x(self, client):
if isinstance(client, Client):
if not self._is_expired_client(client):
LOG.debug('Client is not expired. Adding back to pool')
self.__pool.append(client)
elif client.is_connected():
LOG.debug('Client is expired and connected. Disconnecting')
client.disconnect()
if self.__sem is not None:
self.__sem.release()
| release_client | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, client):\n if isinstance(client, Client):\n if not self._is_expired_client(client):\n LOG.debug('Client is not expired. Adding back ... |
def x(self):
while True:
try:
client = self.__pool.popleft()
if isinstance(client, Client):
client.disconnect()
except IndexError:
break
| destroy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n while True:\n try:\n client = self.__pool.popleft()\n if isinstance(client, Client):\n client.disconnec... |
def x(self, size=-1):
if size == -1 and self.max_size == -1:
raise ClientError('size=-1 not allowed with pool max_size=-1')
limit = min(size, self.max_size) if size != -1 else self.max_size
clients = yield [self.get_connected_client() for _ in range(0, limit)]
for client in clients:
self.release_client(client)
| preconnect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, size=-1):\n if size == -1 and self.max_size == -1:\n raise ClientError('size=-1 not allowed with pool max_size=-1')\n limit = min(size, self... |
def x(invoke_minversion=None):
if not os.path.isdir(TASKS_VENDOR_DIR):
print('SKIP: TASKS_VENDOR_DIR=%s is missing' % TASKS_VENDOR_DIR)
return
elif os.path.abspath(TASKS_VENDOR_DIR) in sys.path:
pass
use_vendor_bundles = os.environ.get('INVOKE_TASKS_USE_VENDOR_BUNDLES', 'no'
)
if need_vendor_bundles(invoke_minversion):
use_vendor_bundles = 'yes'
if use_vendor_bundles == 'yes':
syspath_insert(0, os.path.abspath(TASKS_VENDOR_DIR))
if setup_path_for_bundle(INVOKE_BUNDLE, pos=1):
import invoke
bundle_path = os.path.relpath(INVOKE_BUNDLE, os.getcwd())
print('USING: %s (version: %s)' % (bundle_path, invoke.__version__)
)
else:
syspath_append(os.path.abspath(TASKS_VENDOR_DIR))
setup_path_for_bundle(INVOKE_BUNDLE, pos=len(sys.path))
if DEBUG_SYSPATH:
for index, p in enumerate(sys.path):
print(' %d. %s' % (index, p))
| setup_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(invoke_minversion=None):\n if not os.path.isdir(TASKS_VENDOR_DIR):\n print('SKIP: TASKS_VENDOR_DIR=%s is missing' % TASKS_VENDOR_DIR)\n return... |
def x(min_version, verbose=False):
try:
import invoke
invoke_version = invoke.__version__
except ImportError:
invoke_version = '__NOT_INSTALLED'
if invoke_version < min_version:
message = 'REQUIRE: invoke.version >= %s (but was: %s)' % (min_version,
invoke_version)
message += '\nUSE: pip install invoke>=%s' % min_version
raise VersionRequirementError(message)
INVOKE_VERSION = os.environ.get('INVOKE_VERSION', None)
if verbose and not INVOKE_VERSION:
os.environ['INVOKE_VERSION'] = invoke_version
print('USING: invoke.version=%s' % invoke_version)
| require_invoke_minversion | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(min_version, verbose=False):\n try:\n import invoke\n invoke_version = invoke.__version__\n except ImportError:\n invoke_version = '... |
def x(section_name):
section_names = section_name
if isinstance(section_name, six.string_types):
section_names = [section_name]
elif not isinstance(section_name, (list, tuple)):
raise ValueError('%r (expected: string, strings)' % section_name)
def x(cls):
class_section_names = getattr(cls, 'section_names', None)
if class_section_names is None:
cls.section_names = list(section_names)
else:
approved = [name for name in section_names if name not in cls.
section_names]
cls.section_names = approved + cls.section_names
return cls
return decorator
| matches_section | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(section_name):\n section_names = section_name\n if isinstance(section_name, six.string_types):\n section_names = [section_name]\n elif not isin... |
def x(cls=None, param_class=None):
if param_class is None:
param_class = Param
def x(cls):
for name, value in select_params_from_section_schema(cls,
param_class, deep=True):
if not value.name:
value.name = name
return cls
if cls is None:
return decorate_class
else:
return decorate_class(cls)
| assign_param_names | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls=None, param_class=None):\n if param_class is None:\n param_class = Param\n\n def x(cls):\n for name, value in select_params_from_sectio... |
def x(section_schema, param_class=Param, deep=False):
for name, value in inspect.getmembers(section_schema):
if name.startswith('__') or value is None:
continue
elif inspect.isclass(value) and deep:
cls = value
for name, value in select_params_from_section_schema(cls,
param_class=param_class, deep=True):
yield name, value
elif isinstance(value, param_class):
yield name, value
| select_params_from_section_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(section_schema, param_class=Param, deep=False):\n for name, value in inspect.getmembers(section_schema):\n if name.startswith('__') or value is None:... |
def x(config_section, section_schema):
storage = {}
for name, param in select_params_from_section_schema(section_schema):
value = config_section.get(name, None)
if value is None:
if param.default is None:
continue
value = param.default
else:
value = param.parse(value)
storage[name] = value
return storage
| parse_config_section | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config_section, section_schema):\n storage = {}\n for name, param in select_params_from_section_schema(section_schema):\n value = config_section.g... |
def x(config_files, config_searchpath=None):
if config_searchpath is None:
config_searchpath = ['.']
for config_path in reversed(config_searchpath):
for config_basename in reversed(config_files):
config_fname = os.path.join(config_path, config_basename)
if os.path.isfile(config_fname):
yield config_fname
| generate_configfile_names | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config_files, config_searchpath=None):\n if config_searchpath is None:\n config_searchpath = ['.']\n for config_path in reversed(config_searchpath... |
def x(configfile_sections, desired_section_patterns):
for section_name in configfile_sections:
for desired_section_pattern in desired_section_patterns:
if fnmatch(section_name, desired_section_pattern):
yield section_name
| select_config_sections | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(configfile_sections, desired_section_patterns):\n for section_name in configfile_sections:\n for desired_section_pattern in desired_section_patterns:... |
def x(cls, section_name, supported_section_names=None):
if supported_section_names is None:
supported_section_names = getattr(cls, 'section_names', None)
for supported_section_name_or_pattern in supported_section_names:
if fnmatch(section_name, supported_section_name_or_pattern):
return True
return False
| matches_section | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, section_name, supported_section_names=None):\n if supported_section_names is None:\n supported_section_names = getattr(cls, 'section_names', Non... |
def x(cls, config_section_schemas=None):
if config_section_schemas is None:
config_section_schemas = cls.config_section_schemas
collected = []
for schema in config_section_schemas:
collected.extend(schema.section_names)
return collected
| collect_config_sections_from_schemas | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, config_section_schemas=None):\n if config_section_schemas is None:\n config_section_schemas = cls.config_section_schemas\n collected = []\n ... |
def x(cls, config_section, storage):
schema = cls.select_config_schema_for(config_section.name)
if not schema:
message = 'No schema found for: section=%s'
raise LookupError(message % config_section.name)
section_storage = cls.select_storage_for(config_section.name, storage)
section_data = parse_config_section(config_section, schema)
section_storage.update(section_data)
| process_config_section | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, config_section, storage):\n schema = cls.select_config_schema_for(config_section.name)\n if not schema:\n message = 'No schema found for: sec... |
def x(cls, section_name):
for section_schema in cls.config_section_schemas:
schema_matches = getattr(section_schema, 'matches_section', None)
if schema_matches is None:
schema_matches = lambda name: SectionSchema.matches_section(name,
section_schema.section_names)
if schema_matches(section_name):
return section_schema
return None
| select_config_schema_for | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, section_name):\n for section_schema in cls.config_section_schemas:\n schema_matches = getattr(section_schema, 'matches_section', None)\n ... |
def x(cls, section_name, storage):
section_storage = storage
storage_name = cls.get_storage_name_for(section_name)
if storage_name:
section_storage = storage.get(storage_name, None)
if section_storage is None:
section_storage = storage[storage_name] = dict()
return section_storage
| select_storage_for | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, section_name, storage):\n section_storage = storage\n storage_name = cls.get_storage_name_for(section_name)\n if storage_name:\n section_s... |
def x(ctx, dry_run=False):
directories = ctx.clean.directories
files = ctx.clean.files
extra_directories = ctx.clean.extra_directories or []
extra_files = ctx.clean.extra_files or []
if extra_directories:
directories.extend(extra_directories)
if extra_files:
files.extend(extra_files)
execute_cleanup_tasks(ctx, cleanup_tasks, dry_run=dry_run)
cleanup_dirs(directories, dry_run=dry_run)
cleanup_files(files, dry_run=dry_run)
| clean | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, dry_run=False):\n directories = ctx.clean.directories\n files = ctx.clean.files\n extra_directories = ctx.clean.extra_directories or []\n extr... |
def x(ctx, dry_run=False):
cleanup_dirs(ctx.clean_all.directories or [], dry_run=dry_run)
cleanup_dirs(ctx.clean_all.extra_directories or [], dry_run=dry_run)
cleanup_files(ctx.clean_all.files or [], dry_run=dry_run)
cleanup_files(ctx.clean_all.extra_files or [], dry_run=dry_run)
execute_cleanup_tasks(ctx, cleanup_all_tasks, dry_run=dry_run)
clean(ctx, dry_run=dry_run)
| clean_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, dry_run=False):\n cleanup_dirs(ctx.clean_all.directories or [], dry_run=dry_run)\n cleanup_dirs(ctx.clean_all.extra_directories or [], dry_run=dry_r... |
def x(ctx, dry_run=False):
cleanup_dirs(['build', 'dist', '*.egg-info', '**/__pycache__'], dry_run
=dry_run)
if not dry_run:
ctx.run('py.cleanup')
cleanup_files(['**/*.pyc', '**/*.pyo', '**/*$py.class'], dry_run=dry_run)
| clean_python | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, dry_run=False):\n cleanup_dirs(['build', 'dist', '*.egg-info', '**/__pycache__'], dry_run\n =dry_run)\n if not dry_run:\n ctx.run('py.... |
def x(patterns, dry_run=False, workdir='.'):
current_dir = Path(workdir)
python_basedir = Path(Path(sys.executable).dirname()).joinpath('..'
).abspath()
error_message = None
error_count = 0
for file_pattern in patterns:
for file_ in path_glob(file_pattern, current_dir):
if file_.abspath().startswith(python_basedir):
continue
if dry_run:
print('REMOVE: %s (dry-run)' % file_)
else:
print('REMOVE: %s' % file_)
try:
file_.remove_p()
except os.error as e:
message = '%s: %s' % (e.__class__.__name__, e)
print(message + ' basedir: ' + python_basedir)
error_count += 1
if not error_message:
error_message = message
if False and error_message:
class CleanupError(RuntimeError):
pass
raise CleanupError(error_message)
| cleanup_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(patterns, dry_run=False, workdir='.'):\n current_dir = Path(workdir)\n python_basedir = Path(Path(sys.executable).dirname()).joinpath('..'\n ).abs... |
def x(pattern, current_dir=None):
if not current_dir:
current_dir = pathlib.Path.cwd()
elif not isinstance(current_dir, pathlib.Path):
current_dir = pathlib.Path(str(current_dir))
for p in current_dir.glob(pattern):
yield Path(str(p))
| path_glob | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern, current_dir=None):\n if not current_dir:\n current_dir = pathlib.Path.cwd()\n elif not isinstance(current_dir, pathlib.Path):\n cu... |
def x(self, *args):
self.pipelined_args.append(args)
self.number_of_stacked_calls = self.number_of_stacked_calls + 1
| stack_call | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args):\n self.pipelined_args.append(args)\n self.number_of_stacked_calls = self.number_of_stacked_calls + 1\n",
"role": "user"
},
{
"c... |
def x(self):
if self.is_connected() or self.is_connecting():
raise tornado.gen.Return(True)
if self.unix_domain_socket is None:
self.__socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
if self.tcp_nodelay:
self.__socket.setsockopt(socket.IPPROTO_TCP, socket.TCP_NODELAY, 1)
else:
if not os.path.exists(self.unix_domain_socket):
LOG.warning("can't connect to %s, file does not exist", self.
unix_domain_socket)
raise tornado.gen.Return(False)
self.__socket = socket.socket(socket.AF_UNIX, socket.SOCK_STREAM)
self.__socket.setblocking(0)
self.__periodic_callback.start()
try:
LOG.debug('connecting to %s...', self._redis_server())
self._state.set_connecting()
if self.unix_domain_socket is None:
self.__socket.connect((self.host, self.port))
else:
self.__socket.connect(self.unix_domain_socket)
except socket.error as e:
if errno_from_exception(e
) not in _ERRNO_INPROGRESS and errno_from_exception(e
) not in _ERRNO_WOULDBLOCK:
self.disconnect()
LOG.warning("can't connect to %s", self._redis_server())
raise tornado.gen.Return(False)
self.__socket_fileno = self.__socket.fileno()
self._register_or_update_event_handler()
yield self._state.get_changed_state_future()
if not self.is_connected():
LOG.warning("can't connect to %s", self._redis_server())
raise tornado.gen.Return(False)
else:
LOG.debug('connected to %s', self._redis_server())
self.__socket_fileno = self.__socket.fileno()
self._state.set_connected()
self._register_or_update_event_handler()
raise tornado.gen.Return(True)
| connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.is_connected() or self.is_connecting():\n raise tornado.gen.Return(True)\n if self.unix_domain_socket is None:\n self.__so... |
def x(self):
if not self.is_connected() and not self.is_connecting():
return
LOG.debug('disconnecting from %s...', self._redis_server())
self.__periodic_callback.stop()
try:
self._ioloop.remove_handler(self.__socket_fileno)
self._listened_events = 0
except Exception:
pass
self.__socket_fileno = -1
try:
self.__socket.close()
except Exception:
pass
self._state.set_disconnected()
self._close_callback()
LOG.debug('disconnected from %s', self._redis_server())
| disconnect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.is_connected() and not self.is_connecting():\n return\n LOG.debug('disconnecting from %s...', self._redis_server())\n self... |
def x(self, data):
if isinstance(data, WriteBuffer):
self._write_buffer.append(data)
elif len(data) > 0:
self._write_buffer.append(data)
if self.aggressive_write:
self._handle_write()
if self._write_buffer._total_length > 0:
self._register_or_update_event_handler(write=True)
| write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n if isinstance(data, WriteBuffer):\n self._write_buffer.append(data)\n elif len(data) > 0:\n self._write_buffer.append(data)\... |
def x(error):
chars = error.object[error.start:error.end]
assert len(chars) == 1
val = ord(chars)
val += 56320
return __builtin__.unichr(val), error.end
| surrogate_escape | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(error):\n chars = error.object[error.start:error.end]\n assert len(chars) == 1\n val = ord(chars)\n val += 56320\n return __builtin__.unichr(val... |
def x(cls, path):
if PY3 or isinstance(path, text_type):
return path
return path.decode(sys.getfilesystemencoding(), 'surrogateescape')
| always_unicode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, path):\n if PY3 or isinstance(path, text_type):\n return path\n return path.decode(sys.getfilesystemencoding(), 'surrogateescape')\n",
"r... |
def x(self, pattern=None):
if pattern is None:
pattern = '*'
return [(self / child) for child in map(self._always_unicode, os.
listdir(self)) if self._next_class(child).fnmatch(pattern)]
| listdir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pattern=None):\n if pattern is None:\n pattern = '*'\n return [(self / child) for child in map(self._always_unicode, os.\n listdir(se... |
def x(self, pattern=None):
return [p for p in self.listdir(pattern) if p.isdir()]
| dirs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pattern=None):\n return [p for p in self.listdir(pattern) if p.isdir()]\n",
"role": "user"
},
{
"content": "dirs",
"role": "assistant"... |
def x(self, pattern=None):
return [p for p in self.listdir(pattern) if p.isfile()]
| files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pattern=None):\n return [p for p in self.listdir(pattern) if p.isfile()]\n",
"role": "user"
},
{
"content": "files",
"role": "assistan... |
def x(self, pattern=None, errors='strict'):
if errors not in ('strict', 'warn', 'ignore'):
raise ValueError('invalid errors parameter')
try:
dirs = self.dirs()
except Exception:
if errors == 'ignore':
return
elif errors == 'warn':
warnings.warn("Unable to list directory '%s': %s" % (self, sys.
exc_info()[1]), TreeWalkWarning)
return
else:
raise
for child in dirs:
if pattern is None or child.fnmatch(pattern):
yield child
for subsubdir in child.walkdirs(pattern, errors):
yield subsubdir
| walkdirs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pattern=None, errors='strict'):\n if errors not in ('strict', 'warn', 'ignore'):\n raise ValueError('invalid errors parameter')\n try:\n ... |
def x(self, pattern=None, errors='strict'):
if errors not in ('strict', 'warn', 'ignore'):
raise ValueError('invalid errors parameter')
try:
childList = self.listdir()
except Exception:
if errors == 'ignore':
return
elif errors == 'warn':
warnings.warn("Unable to list directory '%s': %s" % (self, sys.
exc_info()[1]), TreeWalkWarning)
return
else:
raise
for child in childList:
try:
isfile = child.isfile()
isdir = not isfile and child.isdir()
except:
if errors == 'ignore':
continue
elif errors == 'warn':
warnings.warn("Unable to access '%s': %s" % (self, sys.
exc_info()[1]), TreeWalkWarning)
continue
else:
raise
if isfile:
if pattern is None or child.fnmatch(pattern):
yield child
elif isdir:
for f in child.walkfiles(pattern, errors):
yield f
| walkfiles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pattern=None, errors='strict'):\n if errors not in ('strict', 'warn', 'ignore'):\n raise ValueError('invalid errors parameter')\n try:\n ... |
def x(self, *args, **kwargs):
with io_error_compat():
return io.open(self, *args, **kwargs)
| open | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n with io_error_compat():\n return io.open(self, *args, **kwargs)\n",
"role": "user"
},
{
"content": "open",
... |
def x(self, text, encoding=None, errors='strict', linesep=os.linesep,
append=False):
if isinstance(text, text_type):
if linesep is not None:
text = U_NEWLINE.sub(linesep, text)
text = text.encode(encoding or sys.getdefaultencoding(), errors)
else:
assert encoding is None
text = NEWLINE.sub(linesep, text)
self.write_bytes(text, append=append)
| write_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text, encoding=None, errors='strict', linesep=os.linesep,\n append=False):\n if isinstance(text, text_type):\n if linesep is not None:\n ... |
def x(self, lines, encoding=None, errors='strict', linesep=os.linesep,
append=False):
with self.open('ab' if append else 'wb') as f:
for l in lines:
isUnicode = isinstance(l, text_type)
if linesep is not None:
pattern = U_NL_END if isUnicode else NL_END
l = pattern.sub('', l) + linesep
if isUnicode:
l = l.encode(encoding or sys.getdefaultencoding(), errors)
f.write(l)
| write_lines | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lines, encoding=None, errors='strict', linesep=os.linesep,\n append=False):\n with self.open('ab' if append else 'wb') as f:\n for l in line... |
def x(self, mode=511):
try:
self.mkdir(mode)
except OSError:
_, e, _ = sys.exc_info()
if e.errno != errno.EEXIST:
raise
return self
| mkdir_p | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mode=511):\n try:\n self.mkdir(mode)\n except OSError:\n _, e, _ = sys.exc_info()\n if e.errno != errno.EEXIST:\n r... |
def x(self, mode=511):
try:
self.makedirs(mode)
except OSError:
_, e, _ = sys.exc_info()
if e.errno != errno.EEXIST:
raise
return self
| makedirs_p | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mode=511):\n try:\n self.makedirs(mode)\n except OSError:\n _, e, _ = sys.exc_info()\n if e.errno != errno.EEXIST:\n ... |
def x(self):
try:
self.rmdir()
except OSError:
_, e, _ = sys.exc_info()
if e.errno != errno.ENOTEMPTY and e.errno != errno.EEXIST:
raise
return self
| rmdir_p | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n self.rmdir()\n except OSError:\n _, e, _ = sys.exc_info()\n if e.errno != errno.ENOTEMPTY and e.errno != errno.EEXIS... |
def x(self):
try:
self.removedirs()
except OSError:
_, e, _ = sys.exc_info()
if e.errno != errno.ENOTEMPTY and e.errno != errno.EEXIST:
raise
return self
| removedirs_p | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n self.removedirs()\n except OSError:\n _, e, _ = sys.exc_info()\n if e.errno != errno.ENOTEMPTY and e.errno != errno.... |
def x(self):
try:
self.unlink()
except OSError:
_, e, _ = sys.exc_info()
if e.errno != errno.ENOENT:
raise
return self
| remove_p | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n self.unlink()\n except OSError:\n _, e, _ = sys.exc_info()\n if e.errno != errno.ENOENT:\n raise\n ret... |
def x(self):
try:
self.rmtree()
except OSError:
_, e, _ = sys.exc_info()
if e.errno != errno.ENOENT:
raise
return self
| rmtree_p | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n self.rmtree()\n except OSError:\n _, e, _ = sys.exc_info()\n if e.errno != errno.ENOENT:\n raise\n ret... |
def x(self, dst, symlinks=False, *args, **kwargs):
update = kwargs.pop('update', False)
with tempdir() as _temp_dir:
stage = _temp_dir / str(hash(self))
self.copytree(stage, symlinks, *args, **kwargs)
dir_util.copy_tree(stage, dst, preserve_symlinks=symlinks, update=
update)
| merge_tree | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dst, symlinks=False, *args, **kwargs):\n update = kwargs.pop('update', False)\n with tempdir() as _temp_dir:\n stage = _temp_dir / str(hash(... |
def x(self):
if not os.path.exists(self.file_name):
return None
if os.path.splitext(self.file_name)[1].lower() not in self.file_types:
raise RuntimeError('Filename %s does not have extension type %s.' %
(self.file_name, self.file_types))
dataset = gdal.OpenShared(self.file_name, gdalconst.GA_ReadOnly)
if dataset is None:
raise ValueError('Dataset %s did not load properly.' % self.file_name)
assert dataset.RasterCount > 0
return dataset
| gdal_dataset_default | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not os.path.exists(self.file_name):\n return None\n if os.path.splitext(self.file_name)[1].lower() not in self.file_types:\n ra... |
def x(self):
if self.is_connected():
raise tornado.gen.Return(True)
cb1 = self._read_callback
cb2 = self._close_callback
self.__callback_queue = collections.deque()
self._reply_list = []
self.__reader = hiredis.Reader(replyError=ClientError)
kwargs = self.connection_kwargs
self.__connection = Connection(cb1, cb2, **kwargs)
connection_status = yield self.__connection.connect()
if connection_status is not True:
raise tornado.gen.Return(False)
if self.password is not None:
authentication_status = yield self._call('AUTH', self.password)
if authentication_status != b'OK':
LOG.warning('impossible to connect: bad password')
self.__connection.disconnect()
raise tornado.gen.Return(False)
if self.db != 0:
db_status = yield self._call('SELECT', self.db)
if db_status != b'OK':
LOG.warning("can't select db %s", self.db)
raise tornado.gen.Return(False)
raise tornado.gen.Return(True)
| connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.is_connected():\n raise tornado.gen.Return(True)\n cb1 = self._read_callback\n cb2 = self._close_callback\n self.__callback... |
def x(self):
while True:
try:
callback = self.__callback_queue.popleft()
callback(ConnectionError('closed connection'))
except IndexError:
break
if self.subscribed:
self._reply_list.append(ConnectionError('closed connection'))
self._condition.notify_all()
| close_callback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n while True:\n try:\n callback = self.__callback_queue.popleft()\n callback(ConnectionError('closed connection'))\n ... |
def x(self, data=None):
try:
if data is not None:
self.__reader.feed(data)
while True:
reply = self.__reader.gets()
if reply is not False:
try:
callback = self.__callback_queue.popleft()
callback(reply)
except IndexError:
self._reply_list.append(reply)
self._condition.notify_all()
else:
break
except hiredis.ProtocolError:
LOG.warning('corrupted stream => disconnect')
self.disconnect()
| read_callback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data=None):\n try:\n if data is not None:\n self.__reader.feed(data)\n while True:\n reply = self.__reader... |
def x(self, *args, **kwargs):
if not self.is_connected():
if self.autoconnect:
return self._call_with_autoconnect(*args, **kwargs)
else:
error = ConnectionError(
'you are not connected and autoconnect=False')
return tornado.gen.maybe_future(error)
return self._call(*args, **kwargs)
| call | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n if not self.is_connected():\n if self.autoconnect:\n return self._call_with_autoconnect(*args, **kwargs)\n ... |
def x(self, *args, **kwargs):
def x(future):
if self.is_connected():
self._call(*args, **kwargs)
else:
pass
if 'callback' not in kwargs:
kwargs['callback'] = discard_reply_cb
if not self.is_connected():
if self.autoconnect:
connect_future = self.connect()
cb = after_autoconnect_callback
self.__connection._ioloop.add_future(connect_future, cb)
else:
error = ConnectionError(
'you are not connected and autoconnect=False')
kwargs['callback'](error)
else:
self._call(*args, **kwargs)
| async_call | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n\n def x(future):\n if self.is_connected():\n self._call(*args, **kwargs)\n else:\n pass\n i... |
def x(*args):
buf = WriteBuffer()
l = '*%d\r\n' % len(args)
if six.PY2:
buf.append(l)
else:
buf.append(l.encode('utf-8'))
for arg in args:
if isinstance(arg, six.text_type):
arg = arg.encode('utf-8')
elif isinstance(arg, six.string_types):
pass
elif isinstance(arg, six.binary_type):
pass
elif isinstance(arg, six.integer_types):
tmp = '%d' % arg
if six.PY2:
arg = tmp
else:
arg = tmp.encode('utf-8')
elif isinstance(arg, WriteBuffer):
pass
else:
raise Exception("don't know what to do with %s" % type(arg))
l = '$%d\r\n' % len(arg)
if six.PY2:
buf.append(l)
else:
buf.append(l.encode('utf-8'))
buf.append(arg)
buf.append(b'\r\n')
return buf
| format_args_in_redis_protocol | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args):\n buf = WriteBuffer()\n l = '*%d\\r\\n' % len(args)\n if six.PY2:\n buf.append(l)\n else:\n buf.append(l.encode('utf-8'))\n ... |
def x(self, wrapped):
if wrapped.exception():
self.set_exception(wrapped.exception())
else:
self.set_result(wrapped.result())
| done_callback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, wrapped):\n if wrapped.exception():\n self.set_exception(wrapped.exception())\n else:\n self.set_result(wrapped.result())\n",
"ro... |
def x(self):
if self.exception():
raise self.exception()
@contextlib.contextmanager
def x():
try:
yield self._wrapped.result()
finally:
self._exit_callback()
return f()
| result | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.exception():\n raise self.exception()\n\n @contextlib.contextmanager\n def x():\n try:\n yield self._wrapped... |
def x(artist, song):
return __BASE_URL__ + '/wiki/{artist}:{song}'.format(artist=urlize(
artist), song=urlize(song))
| create_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(artist, song):\n return __BASE_URL__ + '/wiki/{artist}:{song}'.format(artist=urlize(\n artist), song=urlize(song))\n",
"role": "user"
},
{
... |
def x(artist, song, linesep='\n', timeout=None):
return get_all_lyrics(artist, song, linesep, timeout)[0]
| get_lyrics | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(artist, song, linesep='\\n', timeout=None):\n return get_all_lyrics(artist, song, linesep, timeout)[0]\n",
"role": "user"
},
{
"content": "get_l... |
def x(artist, song, linesep='\n', timeout=None):
url = create_url(artist, song)
response = _requests.get(url, timeout=timeout)
soup = _BeautifulSoup(response.content, 'html.parser')
lyricboxes = soup.findAll('div', {'class': 'lyricbox'})
if not lyricboxes:
raise LyricsNotFound('Cannot download lyrics')
for lyricbox in lyricboxes:
for br in lyricbox.findAll('br'):
br.replace_with(linesep)
return [lyricbox.text.strip() for lyricbox in lyricboxes]
| get_all_lyrics | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(artist, song, linesep='\\n', timeout=None):\n url = create_url(artist, song)\n response = _requests.get(url, timeout=timeout)\n soup = _BeautifulSoup(... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.