source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, epsilon=0.7):
return eq.MeanPlanetTemp(self.albedo(), self.star.T, self.star.R,
epsilon, self.T).a
| calcSMAfromT | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, epsilon=0.7):\n return eq.MeanPlanetTemp(self.albedo(), self.star.T, self.star.R,\n epsilon, self.T).a\n",
"role": "user"
},
{
"content": "calcSMAfromT",
"role": "assistant"
}
] |
def x(self):
return eq.KeplersThirdLaw(self.a, self.star.M).P
| calcPeriod | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return eq.KeplersThirdLaw(self.a, self.star.M).P\n",
"role": "user"
},
{
"content": "calcPeriod",
"role": "assistant"
}
] |
def x(self, key, value, attrib=None):
if key in self.rejectTags:
return False
if key == 'separation':
if attrib is None:
return False
try:
if not attrib['unit'] == 'AU':
return False
except KeyError:
return False
if key in self.params:
if key == 'name':
try:
if attrib['type'] == 'pri':
oldname = self.params['name']
self.params['altnames'].append(oldname)
self.params['name'] = value
else:
self.params['altnames'].append(value)
except (KeyError, TypeError):
self.params['altnames'].append(value)
elif key == 'list':
self.params['list'].append(value)
else:
try:
name = self.params['name']
except KeyError:
name = 'Unnamed'
print('rejected duplicate {0}: {1} in {2}'.format(key, value, name)
)
return False
else:
if value is None and attrib is not None:
try:
value = attrib['upperlimit']
except KeyError:
try:
value = attrib['lowerlimit']
except KeyError:
return False
if key == 'rightascension':
value = _ra_string_to_unit(value)
elif key == 'declination':
value = _dec_string_to_unit(value)
elif key in self._defaultUnits:
try:
value = float(value) * self._defaultUnits[key]
except:
print('caught an error with {0} - {1}'.format(key, value))
self.params[key] = value
| addParam | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value, attrib=None):\n if key in self.rejectTags:\n return False\n if key == 'separation':\n if attrib is None:\n return False\n try:\n if not attrib['unit'] == 'AU':\n return False\n except KeyError:\n return False\n if key in self.params:\n if key == 'name':\n try:\n if attrib['type'] == 'pri':\n oldname = self.params['name']\n self.params['altnames'].append(oldname)\n self.params['name'] = value\n else:\n self.params['altnames'].append(value)\n except (KeyError, TypeError):\n self.params['altnames'].append(value)\n elif key == 'list':\n self.params['list'].append(value)\n else:\n try:\n name = self.params['name']\n except KeyError:\n name = 'Unnamed'\n print('rejected duplicate {0}: {1} in {2}'.format(key, value, name)\n )\n return False\n else:\n if value is None and attrib is not None:\n try:\n value = attrib['upperlimit']\n except KeyError:\n try:\n value = attrib['lowerlimit']\n except KeyError:\n return False\n if key == 'rightascension':\n value = _ra_string_to_unit(value)\n elif key == 'declination':\n value = _dec_string_to_unit(value)\n elif key in self._defaultUnits:\n try:\n value = float(value) * self._defaultUnits[key]\n except:\n print('caught an error with {0} - {1}'.format(key, value))\n self.params[key] = value\n",
"role": "user"
},
{
"content": "addParam",
"role": "assistant"
}
] |
def x(self):
try:
classnumber = str(int(np.around(self.classNumber)))
except TypeError:
classnumber = str(self.classNumber)
return self.classLetter + classnumber
| roundedSpecClass | [
{
"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 classnumber = str(int(np.around(self.classNumber)))\n except TypeError:\n classnumber = str(self.classNumber)\n return self.classLetter + classnumber\n",
"role": "user"
},
{
"content": "roundedSpecClass",
"role": "assistant"
}
] |
def x(self, classString):
try:
classString = str(classString)
except UnicodeEncodeError:
return False
if classString == '' or classString == 'nan':
return False
possNumbers = range(10)
possLType = 'III', 'II', 'Iab', 'Ia0', 'Ia', 'Ib', 'IV', 'V'
classString = classString.replace(' ', '')
classString = classString.replace('-', '/')
classString = classString.replace('\\', '/')
classString = classString.split('/')[0]
stellarClass = classString[:3]
if stellarClass in _possSpectralClasses:
self.classLetter = stellarClass
elif stellarClass[:2] in _possSpectralClasses:
self.classLetter = stellarClass[:2]
elif stellarClass[0] in _possSpectralClasses:
self.classLetter = stellarClass[0]
else:
return False
try:
numIndex = len(self.classLetter)
classNum = int(classString[numIndex])
if classNum in possNumbers:
self.classNumber = int(classNum)
typeString = classString[numIndex + 1:]
else:
return False
except IndexError:
return True
except ValueError:
typeString = classString[1:]
if typeString == '':
return True
if typeString[0] == '.':
decimalNumbers = '.'
for number in typeString[1:]:
try:
if int(number) in possNumbers:
decimalNumbers += number
else:
print('Something went wrong in decimal checking')
return False
except ValueError:
break
try:
self.classNumber += float(decimalNumbers)
except ValueError:
pass
typeString = typeString[len(decimalNumbers):]
if len(typeString) is 0:
return True
for possL in possLType:
Lcase = typeString[:len(possL)]
if possL == Lcase:
self.lumType = possL
return True
if not self.classNumber == '':
return True
else:
self.classLetter = ''
self.classNumber = ''
self.lumType = ''
return False
| parseSpecType | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, classString):\n try:\n classString = str(classString)\n except UnicodeEncodeError:\n return False\n if classString == '' or classString == 'nan':\n return False\n possNumbers = range(10)\n possLType = 'III', 'II', 'Iab', 'Ia0', 'Ia', 'Ib', 'IV', 'V'\n classString = classString.replace(' ', '')\n classString = classString.replace('-', '/')\n classString = classString.replace('\\\\', '/')\n classString = classString.split('/')[0]\n stellarClass = classString[:3]\n if stellarClass in _possSpectralClasses:\n self.classLetter = stellarClass\n elif stellarClass[:2] in _possSpectralClasses:\n self.classLetter = stellarClass[:2]\n elif stellarClass[0] in _possSpectralClasses:\n self.classLetter = stellarClass[0]\n else:\n return False\n try:\n numIndex = len(self.classLetter)\n classNum = int(classString[numIndex])\n if classNum in possNumbers:\n self.classNumber = int(classNum)\n typeString = classString[numIndex + 1:]\n else:\n return False\n except IndexError:\n return True\n except ValueError:\n typeString = classString[1:]\n if typeString == '':\n return True\n if typeString[0] == '.':\n decimalNumbers = '.'\n for number in typeString[1:]:\n try:\n if int(number) in possNumbers:\n decimalNumbers += number\n else:\n print('Something went wrong in decimal checking')\n return False\n except ValueError:\n break\n try:\n self.classNumber += float(decimalNumbers)\n except ValueError:\n pass\n typeString = typeString[len(decimalNumbers):]\n if len(typeString) is 0:\n return True\n for possL in possLType:\n Lcase = typeString[:len(possL)]\n if possL == Lcase:\n self.lumType = possL\n return True\n if not self.classNumber == '':\n return True\n else:\n self.classLetter = ''\n self.classNumber = ''\n self.lumType = ''\n return False\n",
"role": "user"
},
{
"content": "parseSpecType",
"role": "assistant"
}
] |
def x(self, to_mag, from_mag=None):
allowed_mags = 'UBVJIHKLMN'
if from_mag:
if to_mag == 'V':
return self._convert_to_from('V', from_mag)
if from_mag == 'V':
magV = self.magV
else:
magV = self._convert_to_from('V', from_mag)
return self._convert_to_from(to_mag, 'V', magV)
elif not isNanOrNone(self.magV):
if to_mag == 'V':
return self.magV
else:
return self._convert_to_from(to_mag, 'V', self.magV)
else:
order = 'UBJHKLMN'
for mag_letter in order:
try:
magV = self._convert_to_from('V', mag_letter)
if to_mag == 'V':
logging.debug('Converted to magV from {0} got {1}'.
format(mag_letter, magV))
return magV
else:
mag_val = self._convert_to_from(to_mag, 'V', magV)
logging.debug('Converted to mag{0} from {1} got {2}'.
format(to_mag, mag_letter, mag_val))
return mag_val
except ValueError:
continue
raise ValueError('Could not convert from any provided magnitudes')
| convert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, to_mag, from_mag=None):\n allowed_mags = 'UBVJIHKLMN'\n if from_mag:\n if to_mag == 'V':\n return self._convert_to_from('V', from_mag)\n if from_mag == 'V':\n magV = self.magV\n else:\n magV = self._convert_to_from('V', from_mag)\n return self._convert_to_from(to_mag, 'V', magV)\n elif not isNanOrNone(self.magV):\n if to_mag == 'V':\n return self.magV\n else:\n return self._convert_to_from(to_mag, 'V', self.magV)\n else:\n order = 'UBJHKLMN'\n for mag_letter in order:\n try:\n magV = self._convert_to_from('V', mag_letter)\n if to_mag == 'V':\n logging.debug('Converted to magV from {0} got {1}'.\n format(mag_letter, magV))\n return magV\n else:\n mag_val = self._convert_to_from(to_mag, 'V', magV)\n logging.debug('Converted to mag{0} from {1} got {2}'.\n format(to_mag, mag_letter, mag_val))\n return mag_val\n except ValueError:\n continue\n raise ValueError('Could not convert from any provided magnitudes')\n",
"role": "user"
},
{
"content": "convert",
"role": "assistant"
}
] |
def x(self, to_mag, from_mag, fromVMag=None):
lumtype = self.spectral_type.lumType
specClass = self.spectral_type.roundedSpecClass
if not specClass:
raise ValueError('Can not convert when no spectral class is given')
if lumtype not in ('V', ''):
raise ValueError(
'Can only convert for main sequence stars. Got {0} type'.format
(lumtype))
if to_mag == 'V':
col, sign = self.column_for_V_conversion[from_mag]
try:
offset = float(magDict[specClass][col])
except KeyError:
raise ValueError(
'No data available to convert those magnitudes for that spectral type'
)
if math.isnan(offset):
raise ValueError(
'No data available to convert those magnitudes for that spectral type'
)
else:
from_mag_val = self.__dict__['mag' + from_mag]
if isNanOrNone(from_mag_val):
raise ValueError(
'You cannot convert from a magnitude you have not specified in class'
)
return from_mag_val + offset * sign
elif from_mag == 'V':
if fromVMag is None:
raise ValueError('Must give fromVMag, even if it is self.magV')
col, sign = self.column_for_V_conversion[to_mag]
try:
offset = float(magDict[specClass][col])
except KeyError:
raise ValueError(
'No data available to convert those magnitudes for that spectral type'
)
if math.isnan(offset):
raise ValueError(
'No data available to convert those magnitudes for that spectral type'
)
else:
return fromVMag + offset * sign * -1
else:
raise ValueError(
'Can only convert from and to V magnitude. Use .convert() instead')
| convert_to_from | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, to_mag, from_mag, fromVMag=None):\n lumtype = self.spectral_type.lumType\n specClass = self.spectral_type.roundedSpecClass\n if not specClass:\n raise ValueError('Can not convert when no spectral class is given')\n if lumtype not in ('V', ''):\n raise ValueError(\n 'Can only convert for main sequence stars. Got {0} type'.format\n (lumtype))\n if to_mag == 'V':\n col, sign = self.column_for_V_conversion[from_mag]\n try:\n offset = float(magDict[specClass][col])\n except KeyError:\n raise ValueError(\n 'No data available to convert those magnitudes for that spectral type'\n )\n if math.isnan(offset):\n raise ValueError(\n 'No data available to convert those magnitudes for that spectral type'\n )\n else:\n from_mag_val = self.__dict__['mag' + from_mag]\n if isNanOrNone(from_mag_val):\n raise ValueError(\n 'You cannot convert from a magnitude you have not specified in class'\n )\n return from_mag_val + offset * sign\n elif from_mag == 'V':\n if fromVMag is None:\n raise ValueError('Must give fromVMag, even if it is self.magV')\n col, sign = self.column_for_V_conversion[to_mag]\n try:\n offset = float(magDict[specClass][col])\n except KeyError:\n raise ValueError(\n 'No data available to convert those magnitudes for that spectral type'\n )\n if math.isnan(offset):\n raise ValueError(\n 'No data available to convert those magnitudes for that spectral type'\n )\n else:\n return fromVMag + offset * sign * -1\n else:\n raise ValueError(\n 'Can only convert from and to V magnitude. Use .convert() instead')\n",
"role": "user"
},
{
"content": "convert_to_from",
"role": "assistant"
}
] |
def x(self, f, off):
f.seek(off)
return f.read(2 * struct.unpack('>B', f.read(1))[0]).decode('utf-16')
| get_str | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, f, off):\n f.seek(off)\n return f.read(2 * struct.unpack('>B', f.read(1))[0]).decode('utf-16')\n",
"role": "user"
},
{
"content": "get_str",
"role": "assistant"
}
] |
def x():
cst = OrderedDict()
cst['Craig'] = {'S13': 0.0112372, 'S18': 0.002079, 'K': 0.008333, 'A': 0.5}
cst['IAEA'] = {'S13': 0.0112372, 'S18': 0.00206716068, 'K': 0.0091993,
'A': 0.5}
cst['Werner'] = {'S13': 0.0112372, 'S18': 0.0020052, 'K': 0.0093704,
'A': 0.516}
cst['Santrock'] = {'S13': 0.0112372, 'S18': 0.0020052, 'K': 0.0099235,
'A': 0.516}
cst['Assonov'] = {'S13': 0.0112372, 'S18': 0.0020052, 'K': 0.0102819162,
'A': 0.528}
cst['Assonov2'] = {'S13': 0.0111802, 'S18': 0.0020052, 'K':
0.0102819162, 'A': 0.528}
cst['Isodat'] = {'S13': 0.0111802, 'S18': 0.0020052, 'K': 0.0099235,
'A': 0.516}
return cst
| delta13c_constants | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n cst = OrderedDict()\n cst['Craig'] = {'S13': 0.0112372, 'S18': 0.002079, 'K': 0.008333, 'A': 0.5}\n cst['IAEA'] = {'S13': 0.0112372, 'S18': 0.00206716068, 'K': 0.0091993,\n 'A': 0.5}\n cst['Werner'] = {'S13': 0.0112372, 'S18': 0.0020052, 'K': 0.0093704,\n 'A': 0.516}\n cst['Santrock'] = {'S13': 0.0112372, 'S18': 0.0020052, 'K': 0.0099235,\n 'A': 0.516}\n cst['Assonov'] = {'S13': 0.0112372, 'S18': 0.0020052, 'K': 0.0102819162,\n 'A': 0.528}\n cst['Assonov2'] = {'S13': 0.0111802, 'S18': 0.0020052, 'K': \n 0.0102819162, 'A': 0.528}\n cst['Isodat'] = {'S13': 0.0111802, 'S18': 0.0020052, 'K': 0.0099235,\n 'A': 0.516}\n return cst\n",
"role": "user"
},
{
"content": "delta13c_constants",
"role": "assistant"
}
] |
def x(r45sam, r46sam, d13cstd, r45std, r46std, ks='Craig', d18ostd=23.5):
k = delta13c_constants()[ks]
r13, r18 = k['S13'], 2 * k['S18']
r17 = 2 * (k['K'] * k['S18'] ** k['A'])
a = (r18 + r13 * r17) * (1.0 + r13 + r17)
eqn_mat = np.array([[r13, 0.5 * r17], [r13 * ((r17 ** 2 + r17 - r18) /
a), 1 - 0.5 * r17 * ((r13 ** 2 + r13 - r18) / a)]])
r45d45std = eqn_mat[0, 0] * d13cstd + eqn_mat[0, 1] * d18ostd
d46std = eqn_mat[1, 0] * d13cstd + eqn_mat[1, 1] * d18ostd
r45d45 = 1000.0 * (r45sam / r45std - 1.0) * (r13 + r17 + 0.001 * r45d45std
) + r45d45std
d46 = 1000.0 * (r46sam / r46std - 1.0) * (1.0 + 0.001 * d46std) + d46std
x = np.linalg.solve(eqn_mat, np.array([r45d45, d46]))
return x[0]
| delta13c_craig | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(r45sam, r46sam, d13cstd, r45std, r46std, ks='Craig', d18ostd=23.5):\n k = delta13c_constants()[ks]\n r13, r18 = k['S13'], 2 * k['S18']\n r17 = 2 * (k['K'] * k['S18'] ** k['A'])\n a = (r18 + r13 * r17) * (1.0 + r13 + r17)\n eqn_mat = np.array([[r13, 0.5 * r17], [r13 * ((r17 ** 2 + r17 - r18) /\n a), 1 - 0.5 * r17 * ((r13 ** 2 + r13 - r18) / a)]])\n r45d45std = eqn_mat[0, 0] * d13cstd + eqn_mat[0, 1] * d18ostd\n d46std = eqn_mat[1, 0] * d13cstd + eqn_mat[1, 1] * d18ostd\n r45d45 = 1000.0 * (r45sam / r45std - 1.0) * (r13 + r17 + 0.001 * r45d45std\n ) + r45d45std\n d46 = 1000.0 * (r46sam / r46std - 1.0) * (1.0 + 0.001 * d46std) + d46std\n x = np.linalg.solve(eqn_mat, np.array([r45d45, d46]))\n return x[0]\n",
"role": "user"
},
{
"content": "delta13c_craig",
"role": "assistant"
}
] |
def x(r45sam, r46sam, d13cstd, r45std, r46std, ks='Santrock', d18ostd=23.5):
k = delta13c_constants()[ks]
def x(r):
return k['K'] * r ** k['A']
rcpdb, rosmow = k['S13'], k['S18']
r13std = (d13cstd / 1000.0 + 1) * rcpdb
r18std = (d18ostd / 1000.0 + 1) * rosmow
c45 = r13std + 2 * c17(r18std)
c46 = c17(r18std) ** 2 + 2 * r13std * c17(r18std) + 2 * r18std
r45 = r45sam / r45std * c45
r46 = r46sam / r46std * c46
def x(r18):
return -3 * c17(r18) ** 2 + 2 * r45 * c17(r18) + 2 * r18 - r46
r18 = fsolve(rf, r18std)[0]
r13 = r45 - 2 * c17(r18)
return 1000 * (r13 / rcpdb - 1)
| delta13c_santrock | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(r45sam, r46sam, d13cstd, r45std, r46std, ks='Santrock', d18ostd=23.5):\n k = delta13c_constants()[ks]\n\n def x(r):\n return k['K'] * r ** k['A']\n rcpdb, rosmow = k['S13'], k['S18']\n r13std = (d13cstd / 1000.0 + 1) * rcpdb\n r18std = (d18ostd / 1000.0 + 1) * rosmow\n c45 = r13std + 2 * c17(r18std)\n c46 = c17(r18std) ** 2 + 2 * r13std * c17(r18std) + 2 * r18std\n r45 = r45sam / r45std * c45\n r46 = r46sam / r46std * c46\n\n def x(r18):\n return -3 * c17(r18) ** 2 + 2 * r45 * c17(r18) + 2 * r18 - r46\n r18 = fsolve(rf, r18std)[0]\n r13 = r45 - 2 * c17(r18)\n return 1000 * (r13 / rcpdb - 1)\n",
"role": "user"
},
{
"content": "delta13c_santrock",
"role": "assistant"
}
] |
def x(package_or_requirement, resource_name, destination):
args = package_or_requirement, resource_name
if resource_isdir(*args):
destination.mkdir()
for name in resource_listdir(*args):
resource_copy(package_or_requirement, str(Path(resource_name) /
name), destination / name)
else:
with destination.open('wb') as f:
with resource_stream(*args) as source:
shutil.copyfileobj(source, f)
| resource_copy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(package_or_requirement, resource_name, destination):\n args = package_or_requirement, resource_name\n if resource_isdir(*args):\n destination.mkdir()\n for name in resource_listdir(*args):\n resource_copy(package_or_requirement, str(Path(resource_name) /\n name), destination / name)\n else:\n with destination.open('wb') as f:\n with resource_stream(*args) as source:\n shutil.copyfileobj(source, f)\n",
"role": "user"
},
{
"content": "resource_copy",
"role": "assistant"
}
] |
def x(s, init_slope=500, start_slope=500, end_slope=200, min_peak_height=50,
max_peak_width=1.5):
point_gap = 10
def x(itr, size=2):
itr, buf = iter(itr), []
for _ in range(size):
buf += [next(itr)]
for l in itr:
yield buf
buf = buf[1:] + [l]
yield buf
y, t = s.values, s.index.astype(float)
smooth_y = movingaverage(y, 9)
dxdt = np.gradient(smooth_y) / np.gradient(t)
init_slopes = np.arange(len(dxdt))[dxdt > init_slope]
if len(init_slopes) == 0:
return []
peak_sts = [init_slopes[0]]
peak_sts += [j for i, j in slid_win(init_slopes, 2) if j - i > 10]
peak_sts.sort()
en_slopes = np.arange(len(dxdt))[dxdt < -end_slope]
if len(en_slopes) == 0:
return []
en_slopes = [en_slopes[0]]
en_slopes += [i[1] for i in slid_win(en_slopes, 3) if i[1] - i[0] <
point_gap or i[2] - i[1] < point_gap]
en_slopes += [en_slopes[-1]]
peak_ens = [j for i, j in slid_win(en_slopes[::-1], 2) if i - j > point_gap
] + [en_slopes[-1]]
peak_ens.sort()
peak_list = []
pk2 = 0
for pk in peak_sts:
if pk < pk2:
continue
while dxdt[pk] > start_slope and pk > 0:
pk -= 1
dist_to_end = np.array(peak_ens) - pk
pos_end = pk + dist_to_end[dist_to_end > 0]
for pk2 in pos_end:
if (y[pk2] - y[pk]) / (t[pk2] - t[pk]) > start_slope:
peak_list.append({'t0': t[pk], 't1': t[pk2]})
pk = pk2
elif t[pk2] - t[pk] > max_peak_width:
pk2 = pk + np.abs(t[pk:] - t[pk] - max_peak_width).argmin()
break
else:
break
else:
pk2 = len(t) - 1
if pk == pk2:
continue
pk_hgt = max(y[pk:pk2]) - min(y[pk:pk2])
if pk_hgt < min_peak_height:
continue
peak_list.append({'t0': t[pk], 't1': t[pk2]})
return peak_list
| simple_peak_find | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, init_slope=500, start_slope=500, end_slope=200, min_peak_height=50,\n max_peak_width=1.5):\n point_gap = 10\n\n def x(itr, size=2):\n itr, buf = iter(itr), []\n for _ in range(size):\n buf += [next(itr)]\n for l in itr:\n yield buf\n buf = buf[1:] + [l]\n yield buf\n y, t = s.values, s.index.astype(float)\n smooth_y = movingaverage(y, 9)\n dxdt = np.gradient(smooth_y) / np.gradient(t)\n init_slopes = np.arange(len(dxdt))[dxdt > init_slope]\n if len(init_slopes) == 0:\n return []\n peak_sts = [init_slopes[0]]\n peak_sts += [j for i, j in slid_win(init_slopes, 2) if j - i > 10]\n peak_sts.sort()\n en_slopes = np.arange(len(dxdt))[dxdt < -end_slope]\n if len(en_slopes) == 0:\n return []\n en_slopes = [en_slopes[0]]\n en_slopes += [i[1] for i in slid_win(en_slopes, 3) if i[1] - i[0] <\n point_gap or i[2] - i[1] < point_gap]\n en_slopes += [en_slopes[-1]]\n peak_ens = [j for i, j in slid_win(en_slopes[::-1], 2) if i - j > point_gap\n ] + [en_slopes[-1]]\n peak_ens.sort()\n peak_list = []\n pk2 = 0\n for pk in peak_sts:\n if pk < pk2:\n continue\n while dxdt[pk] > start_slope and pk > 0:\n pk -= 1\n dist_to_end = np.array(peak_ens) - pk\n pos_end = pk + dist_to_end[dist_to_end > 0]\n for pk2 in pos_end:\n if (y[pk2] - y[pk]) / (t[pk2] - t[pk]) > start_slope:\n peak_list.append({'t0': t[pk], 't1': t[pk2]})\n pk = pk2\n elif t[pk2] - t[pk] > max_peak_width:\n pk2 = pk + np.abs(t[pk:] - t[pk] - max_peak_width).argmin()\n break\n else:\n break\n else:\n pk2 = len(t) - 1\n if pk == pk2:\n continue\n pk_hgt = max(y[pk:pk2]) - min(y[pk:pk2])\n if pk_hgt < min_peak_height:\n continue\n peak_list.append({'t0': t[pk], 't1': t[pk2]})\n return peak_list\n",
"role": "user"
},
{
"content": "simple_peak_find",
"role": "assistant"
}
] |
def x(zk, path='/'):
children = zk.get_children(path)
yield path
for child in children:
if path == '/':
subpath = '/%s' % child
else:
subpath = '%s/%s' % (path, child)
for child in walk(zk, subpath):
yield child
| walk | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(zk, path='/'):\n children = zk.get_children(path)\n yield path\n for child in children:\n if path == '/':\n subpath = '/%s' % child\n else:\n subpath = '%s/%s' % (path, child)\n for child in walk(zk, subpath):\n yield child\n",
"role": "user"
},
{
"content": "walk",
"role": "assistant"
}
] |
def x(dict_, count=10):
if count < 1:
raise ValueError('`count` must be at least 1')
pprint(dict(take(count, dict_.items())))
| pretty_print_head | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dict_, count=10):\n if count < 1:\n raise ValueError('`count` must be at least 1')\n pprint(dict(take(count, dict_.items())))\n",
"role": "user"
},
{
"content": "pretty_print_head",
"role": "assistant"
}
] |
def x(dict_):
result = defaultdict(lambda : set())
for k, val in dict_.items():
result[val].add(k)
return dict(result)
| invert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dict_):\n result = defaultdict(lambda : set())\n for k, val in dict_.items():\n result[val].add(k)\n return dict(result)\n",
"role": "user"
},
{
"content": "invert",
"role": "assistant"
}
] |
def x(self, json=None):
return self._call('delete', url=self.endpoint, json=json)
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, json=None):\n return self._call('delete', url=self.endpoint, json=json)\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, params=None):
return self._call('get', url=self.endpoint, params=params)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, params=None):\n return self._call('get', url=self.endpoint, params=params)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, json=None):
return self._call('post', url=self.endpoint, json=json)
| post | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, json=None):\n return self._call('post', url=self.endpoint, json=json)\n",
"role": "user"
},
{
"content": "post",
"role": "assistant"
}
] |
def x(self, json=None):
return self._call('put', url=self.endpoint, json=json)
| put | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, json=None):\n return self._call('put', url=self.endpoint, json=json)\n",
"role": "user"
},
{
"content": "put",
"role": "assistant"
}
] |
def x(self, method, *args, **kwargs):
assert self.session
if not kwargs.get('verify'):
kwargs['verify'] = self.SSL_VERIFY
response = self.session.request(method, *args, **kwargs)
response_json = response.text and response.json() or {}
if response.status_code < 200 or response.status_code >= 300:
message = response_json.get('error', response_json.get('message'))
raise HelpScoutRemoteException(response.status_code, message)
self.page_current = response_json.get(self.PAGE_CURRENT, 1)
self.page_total = response_json.get(self.PAGE_TOTAL, 1)
try:
return response_json[self.PAGE_DATA_MULTI]
except KeyError:
pass
try:
return [response_json[self.PAGE_DATA_SINGLE]]
except KeyError:
pass
return None
| call | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, *args, **kwargs):\n assert self.session\n if not kwargs.get('verify'):\n kwargs['verify'] = self.SSL_VERIFY\n response = self.session.request(method, *args, **kwargs)\n response_json = response.text and response.json() or {}\n if response.status_code < 200 or response.status_code >= 300:\n message = response_json.get('error', response_json.get('message'))\n raise HelpScoutRemoteException(response.status_code, message)\n self.page_current = response_json.get(self.PAGE_CURRENT, 1)\n self.page_total = response_json.get(self.PAGE_TOTAL, 1)\n try:\n return response_json[self.PAGE_DATA_MULTI]\n except KeyError:\n pass\n try:\n return [response_json[self.PAGE_DATA_SINGLE]]\n except KeyError:\n pass\n return None\n",
"role": "user"
},
{
"content": "call",
"role": "assistant"
}
] |
def x(data, length):
if len(data) > length:
return data[0:length]
else:
return data + b'\x00' * (length - len(data))
| pad | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, length):\n if len(data) > length:\n return data[0:length]\n else:\n return data + b'\\x00' * (length - len(data))\n",
"role": "user"
},
{
"content": "pad",
"role": "assistant"
}
] |
def x(self, x):
aes = AES.new(self.key, AES.MODE_CFB, '\x00' * AES.block_size)
while True:
nonce = 0
data = KeyedPRF.pad(SHA256.new(str(x + nonce).encode()).digest(), (
number.size(self.range) + 7) // 8)
num = self.mask & number.bytes_to_long(aes.encrypt(data))
if num < self.range:
return num
nonce += 1
| eval | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x):\n aes = AES.new(self.key, AES.MODE_CFB, '\\x00' * AES.block_size)\n while True:\n nonce = 0\n data = KeyedPRF.pad(SHA256.new(str(x + nonce).encode()).digest(), (\n number.size(self.range) + 7) // 8)\n num = self.mask & number.bytes_to_long(aes.encrypt(data))\n if num < self.range:\n return num\n nonce += 1\n",
"role": "user"
},
{
"content": "eval",
"role": "assistant"
}
] |
def x(bins, n):
while bins[n] != n:
n = bins[n]
return n
| locate_bin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bins, n):\n while bins[n] != n:\n n = bins[n]\n return n\n",
"role": "user"
},
{
"content": "locate_bin",
"role": "assistant"
}
] |
def x(sets):
data = sets
bins = list(range(len(data)))
nums = dict()
for r, row in enumerate(data):
if not row:
data[r] = None
else:
for num in row:
if num not in nums:
nums[num] = r
continue
else:
dest = _locate_bin(bins, nums[num])
if dest == r:
continue
if dest > r:
dest, r = r, dest
data[dest].update(data[r])
data[r] = None
bins[r] = dest
r = dest
for i in reversed(range(len(data))):
if not data[i]:
del data[i]
| merge_by_overlap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sets):\n data = sets\n bins = list(range(len(data)))\n nums = dict()\n for r, row in enumerate(data):\n if not row:\n data[r] = None\n else:\n for num in row:\n if num not in nums:\n nums[num] = r\n continue\n else:\n dest = _locate_bin(bins, nums[num])\n if dest == r:\n continue\n if dest > r:\n dest, r = r, dest\n data[dest].update(data[r])\n data[r] = None\n bins[r] = dest\n r = dest\n for i in reversed(range(len(data))):\n if not data[i]:\n del data[i]\n",
"role": "user"
},
{
"content": "merge_by_overlap",
"role": "assistant"
}
] |
def x(self, method):
def x(*args, **kwargs):
return method(self.session, *args, **kwargs)
return _proxy
| auth_proxy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method):\n\n def x(*args, **kwargs):\n return method(self.session, *args, **kwargs)\n return _proxy\n",
"role": "user"
},
{
"content": "auth_proxy",
"role": "assistant"
}
] |
def x(cls, session, mailbox_or_id):
if hasattr(mailbox_or_id, 'id'):
mailbox_or_id = mailbox_or_id.id
return cls('/mailboxes/%d/users.json' % mailbox_or_id, session=session)
| find_in_mailbox | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, session, mailbox_or_id):\n if hasattr(mailbox_or_id, 'id'):\n mailbox_or_id = mailbox_or_id.id\n return cls('/mailboxes/%d/users.json' % mailbox_or_id, session=session)\n",
"role": "user"
},
{
"content": "find_in_mailbox",
"role": "assistant"
}
] |
def x(hasher, filename):
BUF_SIZE = 65536
with open(filename, 'rb') as f:
buf = f.read(BUF_SIZE)
while len(buf) > 0:
hasher.update(buf)
buf = f.read(BUF_SIZE)
return hasher
| hash_the_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hasher, filename):\n BUF_SIZE = 65536\n with open(filename, 'rb') as f:\n buf = f.read(BUF_SIZE)\n while len(buf) > 0:\n hasher.update(buf)\n buf = f.read(BUF_SIZE)\n return hasher\n",
"role": "user"
},
{
"content": "hash_the_file",
"role": "assistant"
}
] |
def x(panel):
use_metis = panel['data_source']['source_type'] == 'querybuilder'
if use_metis:
query = panel['data_source']['query']
else:
query = "u'''%s'''" % panel['data_source']['code']
precompute = panel['data_source']['precompute']
timeframe = panel['data_source']['timeframe']
bucket_width = precompute['bucket_width']['value']
time_scale = precompute['bucket_width']['scale']['name']
bucket_width_seconds = get_seconds(bucket_width, time_scale)
if timeframe['mode']['value'] == 'recent':
untrusted_time = precompute['untrusted_time']['value']
untrusted_time_scale = precompute['untrusted_time']['scale']['name']
untrusted_time_seconds = get_seconds(untrusted_time,
untrusted_time_scale)
interval = bucket_width_seconds
elif timeframe['mode']['value'] == 'range':
untrusted_time_seconds = 0
interval = 0
task_code = PRECOMPUTE_INITIALIZATION_CODE % (query, timeframe,
bucket_width_seconds, untrusted_time_seconds, use_metis)
result = scheduler_client.schedule(task_code, interval)
if result['status'] != 'success':
raise RuntimeError(result.get('reason'))
return result['id']
| enable_precompute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(panel):\n use_metis = panel['data_source']['source_type'] == 'querybuilder'\n if use_metis:\n query = panel['data_source']['query']\n else:\n query = \"u'''%s'''\" % panel['data_source']['code']\n precompute = panel['data_source']['precompute']\n timeframe = panel['data_source']['timeframe']\n bucket_width = precompute['bucket_width']['value']\n time_scale = precompute['bucket_width']['scale']['name']\n bucket_width_seconds = get_seconds(bucket_width, time_scale)\n if timeframe['mode']['value'] == 'recent':\n untrusted_time = precompute['untrusted_time']['value']\n untrusted_time_scale = precompute['untrusted_time']['scale']['name']\n untrusted_time_seconds = get_seconds(untrusted_time,\n untrusted_time_scale)\n interval = bucket_width_seconds\n elif timeframe['mode']['value'] == 'range':\n untrusted_time_seconds = 0\n interval = 0\n task_code = PRECOMPUTE_INITIALIZATION_CODE % (query, timeframe,\n bucket_width_seconds, untrusted_time_seconds, use_metis)\n result = scheduler_client.schedule(task_code, interval)\n if result['status'] != 'success':\n raise RuntimeError(result.get('reason'))\n return result['id']\n",
"role": "user"
},
{
"content": "enable_precompute",
"role": "assistant"
}
] |
def x(panel):
task_id = panel['data_source']['precompute']['task_id']
result = scheduler_client.cancel(task_id)
if result['status'] != 'success':
raise RuntimeError(result.get('reason'))
| disable_precompute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(panel):\n task_id = panel['data_source']['precompute']['task_id']\n result = scheduler_client.cancel(task_id)\n if result['status'] != 'success':\n raise RuntimeError(result.get('reason'))\n",
"role": "user"
},
{
"content": "disable_precompute",
"role": "assistant"
}
] |
def x(self, timeframe, bucket_width):
if bucket_width:
bucket_width_seconds = bucket_width
bucket_width = epoch_time_to_kronos_time(bucket_width)
if timeframe['mode']['value'] == 'recent':
end_time = kronos_time_now()
original_end_time = end_time
duration = get_seconds(timeframe['value'], timeframe['scale']['name'])
duration = epoch_time_to_kronos_time(duration)
start_time = original_end_time - duration
if bucket_width:
if end_time % bucket_width != 0:
end_time += bucket_width - end_time % bucket_width
if start_time % bucket_width != 0:
start_time -= start_time % bucket_width
start = kronos_time_to_datetime(start_time)
end = kronos_time_to_datetime(end_time)
elif timeframe['mode']['value'] == 'range':
end = datetime.datetime.strptime(timeframe['to'], DT_FORMAT)
end_seconds = datetime_to_epoch_time(end)
start = datetime.datetime.strptime(timeframe['from'], DT_FORMAT)
start_seconds = datetime_to_epoch_time(start)
if bucket_width:
start_bump = start_seconds % bucket_width_seconds
start -= datetime.timedelta(seconds=start_bump)
if end_seconds % bucket_width_seconds != 0:
end_bump = (bucket_width_seconds - end_seconds %
bucket_width_seconds)
end += datetime.timedelta(seconds=end_bump)
else:
raise ValueError("Timeframe mode must be 'recent' or 'range'")
return start, end
| get_timeframe_bounds | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeframe, bucket_width):\n if bucket_width:\n bucket_width_seconds = bucket_width\n bucket_width = epoch_time_to_kronos_time(bucket_width)\n if timeframe['mode']['value'] == 'recent':\n end_time = kronos_time_now()\n original_end_time = end_time\n duration = get_seconds(timeframe['value'], timeframe['scale']['name'])\n duration = epoch_time_to_kronos_time(duration)\n start_time = original_end_time - duration\n if bucket_width:\n if end_time % bucket_width != 0:\n end_time += bucket_width - end_time % bucket_width\n if start_time % bucket_width != 0:\n start_time -= start_time % bucket_width\n start = kronos_time_to_datetime(start_time)\n end = kronos_time_to_datetime(end_time)\n elif timeframe['mode']['value'] == 'range':\n end = datetime.datetime.strptime(timeframe['to'], DT_FORMAT)\n end_seconds = datetime_to_epoch_time(end)\n start = datetime.datetime.strptime(timeframe['from'], DT_FORMAT)\n start_seconds = datetime_to_epoch_time(start)\n if bucket_width:\n start_bump = start_seconds % bucket_width_seconds\n start -= datetime.timedelta(seconds=start_bump)\n if end_seconds % bucket_width_seconds != 0:\n end_bump = (bucket_width_seconds - end_seconds %\n bucket_width_seconds)\n end += datetime.timedelta(seconds=end_bump)\n else:\n raise ValueError(\"Timeframe mode must be 'recent' or 'range'\")\n return start, end\n",
"role": "user"
},
{
"content": "get_timeframe_bounds",
"role": "assistant"
}
] |
def x(self, use_cache=True):
if use_cache:
if not self._bucket_width:
raise ValueError(
'QueryCompute must be initialized with a bucket_width to use caching features.'
)
return list(self._query_cache.retrieve_interval(self._start_time,
self._end_time, compute_missing=True))
elif self._metis:
return self._run_metis(self._start_time, self._end_time)
else:
return self._run_query(self._start_time, self._end_time)
| compute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, use_cache=True):\n if use_cache:\n if not self._bucket_width:\n raise ValueError(\n 'QueryCompute must be initialized with a bucket_width to use caching features.'\n )\n return list(self._query_cache.retrieve_interval(self._start_time,\n self._end_time, compute_missing=True))\n elif self._metis:\n return self._run_metis(self._start_time, self._end_time)\n else:\n return self._run_query(self._start_time, self._end_time)\n",
"role": "user"
},
{
"content": "compute",
"role": "assistant"
}
] |
def x(self):
if not self._bucket_width or self._untrusted_time is None:
raise ValueError(
'QueryCompute must be initialized with a bucket_width and an untrusted_time in order to write to the cache.'
)
now = datetime.datetime.now()
untrusted_time = now - datetime.timedelta(seconds=self._untrusted_time)
list(self._query_cache.compute_and_cache_missing_buckets(self.
_start_time, self._end_time, untrusted_time))
| cache | [
{
"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._bucket_width or self._untrusted_time is None:\n raise ValueError(\n 'QueryCompute must be initialized with a bucket_width and an untrusted_time in order to write to the cache.'\n )\n now = datetime.datetime.now()\n untrusted_time = now - datetime.timedelta(seconds=self._untrusted_time)\n list(self._query_cache.compute_and_cache_missing_buckets(self.\n _start_time, self._end_time, untrusted_time))\n",
"role": "user"
},
{
"content": "cache",
"role": "assistant"
}
] |
def x(cls, session, first_name=None, last_name=None, email=None,
modified_since=None):
return super(Customers, cls).list(session, data=cls.__object__.
get_non_empty_vals({'firstName': first_name, 'lastName': last_name,
'email': email, 'modifiedSince': modified_since}))
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, session, first_name=None, last_name=None, email=None,\n modified_since=None):\n return super(Customers, cls).list(session, data=cls.__object__.\n get_non_empty_vals({'firstName': first_name, 'lastName': last_name,\n 'email': email, 'modifiedSince': modified_since}))\n",
"role": "user"
},
{
"content": "list",
"role": "assistant"
}
] |
def x(cls, session, queries):
return super(Customers, cls).search(session, queries, SearchCustomer)
| search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, session, queries):\n return super(Customers, cls).search(session, queries, SearchCustomer)\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x(key, payload):
token = hmac.new(key)
token.update(json.dumps(payload))
return token.hexdigest()
| create_token | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key, payload):\n token = hmac.new(key)\n token.update(json.dumps(payload))\n return token.hexdigest()\n",
"role": "user"
},
{
"content": "create_token",
"role": "assistant"
}
] |
def x(settings_file=None):
global _APP
if _APP:
return _APP
_APP = Flask(__name__)
db.init_app(_APP)
migrate = Migrate(_APP, db, directory='scheduler/migrations')
_APP.config.from_pyfile('../jia/conf/default_settings.py')
if settings_file:
if not settings_file.startswith('/'):
settings_file = os.path.join(os.pardir, settings_file)
_APP.config.from_pyfile(settings_file, silent=True)
_APP.config.update(PORT=_APP.config['SCHEDULER_PORT'])
_APP.config.update(SQLALCHEMY_DATABASE_URI=_APP.config[
'SCHEDULER_DATABASE_URI'])
_APP.secret_key = _APP.config['SECRET_KEY']
from scheduler.views import scheduler
_APP.register_blueprint(scheduler)
return _APP
| get_app | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(settings_file=None):\n global _APP\n if _APP:\n return _APP\n _APP = Flask(__name__)\n db.init_app(_APP)\n migrate = Migrate(_APP, db, directory='scheduler/migrations')\n _APP.config.from_pyfile('../jia/conf/default_settings.py')\n if settings_file:\n if not settings_file.startswith('/'):\n settings_file = os.path.join(os.pardir, settings_file)\n _APP.config.from_pyfile(settings_file, silent=True)\n _APP.config.update(PORT=_APP.config['SCHEDULER_PORT'])\n _APP.config.update(SQLALCHEMY_DATABASE_URI=_APP.config[\n 'SCHEDULER_DATABASE_URI'])\n _APP.secret_key = _APP.config['SECRET_KEY']\n from scheduler.views import scheduler\n _APP.register_blueprint(scheduler)\n return _APP\n",
"role": "user"
},
{
"content": "get_app",
"role": "assistant"
}
] |
def x(cls, session, record, imported=False, auto_reply=False):
return super(Conversations, cls).create(session, record, imported=
imported, auto_reply=auto_reply)
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, session, record, imported=False, auto_reply=False):\n return super(Conversations, cls).create(session, record, imported=\n imported, auto_reply=auto_reply)\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(cls, session, attachment):
return super(Conversations, cls).create(session, attachment,
endpoint_override='/attachments.json', out_type=Attachment)
| create_attachment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, session, attachment):\n return super(Conversations, cls).create(session, attachment,\n endpoint_override='/attachments.json', out_type=Attachment)\n",
"role": "user"
},
{
"content": "create_attachment",
"role": "assistant"
}
] |
def x(cls, session, conversation, thread, imported=False):
return super(Conversations, cls).create(session, thread,
endpoint_override='/conversations/%s.json' % conversation.id,
imported=imported)
| create_thread | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, session, conversation, thread, imported=False):\n return super(Conversations, cls).create(session, thread,\n endpoint_override='/conversations/%s.json' % conversation.id,\n imported=imported)\n",
"role": "user"
},
{
"content": "create_thread",
"role": "assistant"
}
] |
def x(cls, session, attachment):
return super(Conversations, cls).delete(session, attachment,
endpoint_override='/attachments/%s.json' % attachment.id, out_type=
Attachment)
| delete_attachment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, session, attachment):\n return super(Conversations, cls).delete(session, attachment,\n endpoint_override='/attachments/%s.json' % attachment.id, out_type=\n Attachment)\n",
"role": "user"
},
{
"content": "delete_attachment",
"role": "assistant"
}
] |
def x(cls, session, mailbox, customer):
return cls('/mailboxes/%d/customers/%s/conversations.json' % (mailbox.
id, customer.id), session=session)
| find_customer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, session, mailbox, customer):\n return cls('/mailboxes/%d/customers/%s/conversations.json' % (mailbox.\n id, customer.id), session=session)\n",
"role": "user"
},
{
"content": "find_customer",
"role": "assistant"
}
] |
def x(cls, session, mailbox, user):
return cls('/mailboxes/%d/users/%s/conversations.json' % (mailbox.id,
user.id), session=session)
| find_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, session, mailbox, user):\n return cls('/mailboxes/%d/users/%s/conversations.json' % (mailbox.id,\n user.id), session=session)\n",
"role": "user"
},
{
"content": "find_user",
"role": "assistant"
}
] |
def x(cls, session, attachment_id):
return cls('/attachments/%d/data.json' % attachment_id, singleton=True,
session=session, out_type=AttachmentData)
| get_attachment_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, session, attachment_id):\n return cls('/attachments/%d/data.json' % attachment_id, singleton=True,\n session=session, out_type=AttachmentData)\n",
"role": "user"
},
{
"content": "get_attachment_data",
"role": "assistant"
}
] |
def x(cls, session, mailbox):
endpoint = '/mailboxes/%d/conversations.json' % mailbox.id
return super(Conversations, cls).list(session, endpoint)
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, session, mailbox):\n endpoint = '/mailboxes/%d/conversations.json' % mailbox.id\n return super(Conversations, cls).list(session, endpoint)\n",
"role": "user"
},
{
"content": "list",
"role": "assistant"
}
] |
def x(cls, session, mailbox, folder):
return cls('/mailboxes/%d/folders/%s/conversations.json' % (mailbox.id,
folder.id), session=session)
| list_folder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, session, mailbox, folder):\n return cls('/mailboxes/%d/folders/%s/conversations.json' % (mailbox.id,\n folder.id), session=session)\n",
"role": "user"
},
{
"content": "list_folder",
"role": "assistant"
}
] |
def x(cls, session, queries):
return super(Conversations, cls).search(session, queries,
SearchConversation)
| search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, session, queries):\n return super(Conversations, cls).search(session, queries,\n SearchConversation)\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x(cls, session, conversation, thread):
data = thread.to_api()
data['reload'] = True
return cls('/conversations/%s/threads/%d.json' % (conversation.id,
thread.id), data=data, request_type=RequestPaginator.PUT, singleton
=True, session=session)
| update_thread | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, session, conversation, thread):\n data = thread.to_api()\n data['reload'] = True\n return cls('/conversations/%s/threads/%d.json' % (conversation.id,\n thread.id), data=data, request_type=RequestPaginator.PUT, singleton\n =True, session=session)\n",
"role": "user"
},
{
"content": "update_thread",
"role": "assistant"
}
] |
def x(logger, level):
if isinstance(logger, str):
logger = logging.getLogger(logger)
original = logger.level
logger.setLevel(level)
try:
yield
finally:
logger.setLevel(original)
| set_level | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(logger, level):\n if isinstance(logger, str):\n logger = logging.getLogger(logger)\n original = logger.level\n logger.setLevel(level)\n try:\n yield\n finally:\n logger.setLevel(original)\n",
"role": "user"
},
{
"content": "set_level",
"role": "assistant"
}
] |
def x(log_file):
root_logger = logging.getLogger()
root_logger.setLevel(logging.INFO)
stderr_handler = logging.StreamHandler()
stderr_handler.setLevel(logging.INFO)
stderr_handler.setFormatter(logging.Formatter(
'{levelname[0]}: {message}', style='{'))
root_logger.addHandler(stderr_handler)
file_handler = logging.FileHandler(str(log_file))
file_handler.setLevel(logging.DEBUG)
file_handler.setFormatter(logging.Formatter(
"""{levelname[0]} {asctime} {name} ({module}:{lineno}):
{message}
""",
style='{'))
root_logger.addHandler(file_handler)
return stderr_handler, file_handler
| configure | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(log_file):\n root_logger = logging.getLogger()\n root_logger.setLevel(logging.INFO)\n stderr_handler = logging.StreamHandler()\n stderr_handler.setLevel(logging.INFO)\n stderr_handler.setFormatter(logging.Formatter(\n '{levelname[0]}: {message}', style='{'))\n root_logger.addHandler(stderr_handler)\n file_handler = logging.FileHandler(str(log_file))\n file_handler.setLevel(logging.DEBUG)\n file_handler.setFormatter(logging.Formatter(\n \"\"\"{levelname[0]} {asctime} {name} ({module}:{lineno}):\n{message}\n\"\"\",\n style='{'))\n root_logger.addHandler(file_handler)\n return stderr_handler, file_handler\n",
"role": "user"
},
{
"content": "configure",
"role": "assistant"
}
] |
def x(self):
if self.dataset:
self._load_dimensions()
return self._get_pandasframe_one_dataset()
return self._get_pandasframe_across_datasets()
| get_pandasframe | [
{
"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.dataset:\n self._load_dimensions()\n return self._get_pandasframe_one_dataset()\n return self._get_pandasframe_across_datasets()\n",
"role": "user"
},
{
"content": "get_pandasframe",
"role": "assistant"
}
] |
def x(self, value, index_point):
if index_point not in self.index:
self.values.append(value)
self.index.append(index_point)
| add_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, index_point):\n if index_point not in self.index:\n self.values.append(value)\n self.index.append(index_point)\n",
"role": "user"
},
{
"content": "add_value",
"role": "assistant"
}
] |
def x(self):
return pandas.Series(self.values, self.index, name=self.name)
| get_pandas_series | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return pandas.Series(self.values, self.index, name=self.name)\n",
"role": "user"
},
{
"content": "get_pandas_series",
"role": "assistant"
}
] |
def x(path, force=False):
if not path.exists():
return
else:
if force:
with suppress(FileNotFoundError):
chmod(path, 448, '+', recursive=True)
if path.is_dir() and not path.is_symlink():
for dir_, dirs, files in os.walk(str(path), topdown=False):
dir_ = Path(dir_)
for file in files:
with suppress(FileNotFoundError):
(dir_ / file).unlink()
for file in dirs:
file = dir_ / file
if file.is_symlink():
with suppress(FileNotFoundError):
file.unlink()
for dir_, _, _ in os.walk(str(path), topdown=False):
dir_ = Path(dir_)
with suppress(FileNotFoundError):
children = list(dir_.iterdir())
while children:
if any(not child.name.startswith('.nfs') for child in
children):
dir_.rmdir()
time.sleep(0.1)
children = list(dir_.iterdir())
dir_.rmdir()
else:
with suppress(FileNotFoundError):
path.unlink()
| remove | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, force=False):\n if not path.exists():\n return\n else:\n if force:\n with suppress(FileNotFoundError):\n chmod(path, 448, '+', recursive=True)\n if path.is_dir() and not path.is_symlink():\n for dir_, dirs, files in os.walk(str(path), topdown=False):\n dir_ = Path(dir_)\n for file in files:\n with suppress(FileNotFoundError):\n (dir_ / file).unlink()\n for file in dirs:\n file = dir_ / file\n if file.is_symlink():\n with suppress(FileNotFoundError):\n file.unlink()\n for dir_, _, _ in os.walk(str(path), topdown=False):\n dir_ = Path(dir_)\n with suppress(FileNotFoundError):\n children = list(dir_.iterdir())\n while children:\n if any(not child.name.startswith('.nfs') for child in\n children):\n dir_.rmdir()\n time.sleep(0.1)\n children = list(dir_.iterdir())\n dir_.rmdir()\n else:\n with suppress(FileNotFoundError):\n path.unlink()\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
] |
def x(path, mode, operator='=', recursive=False):
if mode > 511 and operator != '=':
raise ValueError(
'Special bits (i.e. >0o777) only supported when using "=" operator'
)
if operator == '+':
mode_ = path.stat().st_mode | mode
elif operator == '-':
mode_ = path.stat().st_mode & ~mode
else:
mode_ = mode
if path.is_symlink():
return
path.chmod(mode_)
def x(parent, files, mode_mask, operator):
for file in files:
with suppress(FileNotFoundError):
file = parent / file
if not file.is_symlink():
chmod(file, mode & mode_mask, operator)
if recursive and path.is_dir():
for parent, dirs, files in os.walk(str(path)):
parent = Path(parent)
chmod_children(parent, dirs, 262143, operator)
chmod_children(parent, files, 262070, operator)
| chmod | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, mode, operator='=', recursive=False):\n if mode > 511 and operator != '=':\n raise ValueError(\n 'Special bits (i.e. >0o777) only supported when using \"=\" operator'\n )\n if operator == '+':\n mode_ = path.stat().st_mode | mode\n elif operator == '-':\n mode_ = path.stat().st_mode & ~mode\n else:\n mode_ = mode\n if path.is_symlink():\n return\n path.chmod(mode_)\n\n def x(parent, files, mode_mask, operator):\n for file in files:\n with suppress(FileNotFoundError):\n file = parent / file\n if not file.is_symlink():\n chmod(file, mode & mode_mask, operator)\n if recursive and path.is_dir():\n for parent, dirs, files in os.walk(str(path)):\n parent = Path(parent)\n chmod_children(parent, dirs, 262143, operator)\n chmod_children(parent, files, 262070, operator)\n",
"role": "user"
},
{
"content": "chmod",
"role": "assistant"
}
] |
def x(suffix=None, prefix=None, dir=None, on_error='ignore'):
if dir:
dir = str(dir)
temp_dir = tempfile.TemporaryDirectory(suffix, prefix, dir)
try:
yield Path(temp_dir.name)
finally:
try:
temp_dir.cleanup()
except OSError as ex:
print(ex)
if on_error != 'ignore' or ex.errno != errno.ENOTEMPTY:
raise
| TemporaryDirectory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(suffix=None, prefix=None, dir=None, on_error='ignore'):\n if dir:\n dir = str(dir)\n temp_dir = tempfile.TemporaryDirectory(suffix, prefix, dir)\n try:\n yield Path(temp_dir.name)\n finally:\n try:\n temp_dir.cleanup()\n except OSError as ex:\n print(ex)\n if on_error != 'ignore' or ex.errno != errno.ENOTEMPTY:\n raise\n",
"role": "user"
},
{
"content": "TemporaryDirectory",
"role": "assistant"
}
] |
def x(path, hash_function=hashlib.sha512):
hash_ = hash_function()
if path.is_dir():
for directory, directories, files in os.walk(str(path), topdown=True):
hash_.update(hash_function(str(Path(directory).relative_to(path
)).encode()).digest())
for name in sorted(directories):
hash_.update(hash_function(name.encode()).digest())
hash_.update(b',')
for name in sorted(files):
hash_.update(hash_function(name.encode()).digest())
hash_.update(hash(Path(directory) / name).digest())
hash_.update(b';')
else:
with path.open('rb') as f:
while True:
buffer = f.read(65536)
if not buffer:
break
hash_.update(buffer)
return hash_
| hash | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, hash_function=hashlib.sha512):\n hash_ = hash_function()\n if path.is_dir():\n for directory, directories, files in os.walk(str(path), topdown=True):\n hash_.update(hash_function(str(Path(directory).relative_to(path\n )).encode()).digest())\n for name in sorted(directories):\n hash_.update(hash_function(name.encode()).digest())\n hash_.update(b',')\n for name in sorted(files):\n hash_.update(hash_function(name.encode()).digest())\n hash_.update(hash(Path(directory) / name).digest())\n hash_.update(b';')\n else:\n with path.open('rb') as f:\n while True:\n buffer = f.read(65536)\n if not buffer:\n break\n hash_.update(buffer)\n return hash_\n",
"role": "user"
},
{
"content": "hash",
"role": "assistant"
}
] |
def x(self, orderrun_id):
rc = DKReturnCode()
if orderrun_id == 'good':
rc.set(rc.DK_SUCCESS, None, None)
else:
rc.set(rc.DK_FAIL, 'ServingDeleteV2: unable to delete OrderRun')
return rc
| delete_orderrun | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, orderrun_id):\n rc = DKReturnCode()\n if orderrun_id == 'good':\n rc.set(rc.DK_SUCCESS, None, None)\n else:\n rc.set(rc.DK_FAIL, 'ServingDeleteV2: unable to delete OrderRun')\n return rc\n",
"role": "user"
},
{
"content": "delete_orderrun",
"role": "assistant"
}
] |
def x(a, b):
a_ids = set(a.identifiers)
b_ids = set(b.identifiers)
difference = []
for i in a_ids.difference(b_ids):
difference.append((i, True, False))
for i in b_ids.difference(a_ids):
difference.append((i, False, True))
return difference
| diff_identifiers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b):\n a_ids = set(a.identifiers)\n b_ids = set(b.identifiers)\n difference = []\n for i in a_ids.difference(b_ids):\n difference.append((i, True, False))\n for i in b_ids.difference(a_ids):\n difference.append((i, False, True))\n return difference\n",
"role": "user"
},
{
"content": "diff_identifiers",
"role": "assistant"
}
] |
def x(a, b, progressbar=None):
difference = []
for i in a.identifiers:
a_size = a.item_properties(i)['size_in_bytes']
b_size = b.item_properties(i)['size_in_bytes']
if a_size != b_size:
difference.append((i, a_size, b_size))
if progressbar:
progressbar.update(1)
return difference
| diff_sizes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b, progressbar=None):\n difference = []\n for i in a.identifiers:\n a_size = a.item_properties(i)['size_in_bytes']\n b_size = b.item_properties(i)['size_in_bytes']\n if a_size != b_size:\n difference.append((i, a_size, b_size))\n if progressbar:\n progressbar.update(1)\n return difference\n",
"role": "user"
},
{
"content": "diff_sizes",
"role": "assistant"
}
] |
def x(a, reference, progressbar=None):
difference = []
for i in a.identifiers:
fpath = a.item_content_abspath(i)
calc_hash = reference._storage_broker.hasher(fpath)
ref_hash = reference.item_properties(i)['hash']
if calc_hash != ref_hash:
info = i, calc_hash, ref_hash
difference.append(info)
if progressbar:
progressbar.update(1)
return difference
| diff_content | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, reference, progressbar=None):\n difference = []\n for i in a.identifiers:\n fpath = a.item_content_abspath(i)\n calc_hash = reference._storage_broker.hasher(fpath)\n ref_hash = reference.item_properties(i)['hash']\n if calc_hash != ref_hash:\n info = i, calc_hash, ref_hash\n difference.append(info)\n if progressbar:\n progressbar.update(1)\n return difference\n",
"role": "user"
},
{
"content": "diff_content",
"role": "assistant"
}
] |
def x(self, namespace, stream, events, configuration):
max_items = configuration['max_items']
for _id, event in events:
while len(self.db[namespace][stream]) >= max_items:
self.db[namespace][stream].pop(0)
bisect.insort(self.db[namespace][stream], Event(_id, event))
| insert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namespace, stream, events, configuration):\n max_items = configuration['max_items']\n for _id, event in events:\n while len(self.db[namespace][stream]) >= max_items:\n self.db[namespace][stream].pop(0)\n bisect.insort(self.db[namespace][stream], Event(_id, event))\n",
"role": "user"
},
{
"content": "insert",
"role": "assistant"
}
] |
def x(self, namespace, stream, start_id, end_time, configuration):
start_id_event = Event(start_id)
end_id_event = Event(uuid_from_kronos_time(end_time, _type=UUIDType.
HIGHEST))
stream_events = self.db[namespace][stream]
lo = bisect.bisect_left(stream_events, start_id_event)
if lo + 1 > len(stream_events):
return 0, []
if stream_events[lo] == start_id_event:
lo += 1
hi = bisect.bisect_right(stream_events, end_id_event)
del stream_events[lo:hi]
return max(0, hi - lo), []
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namespace, stream, start_id, end_time, configuration):\n start_id_event = Event(start_id)\n end_id_event = Event(uuid_from_kronos_time(end_time, _type=UUIDType.\n HIGHEST))\n stream_events = self.db[namespace][stream]\n lo = bisect.bisect_left(stream_events, start_id_event)\n if lo + 1 > len(stream_events):\n return 0, []\n if stream_events[lo] == start_id_event:\n lo += 1\n hi = bisect.bisect_right(stream_events, end_id_event)\n del stream_events[lo:hi]\n return max(0, hi - lo), []\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, namespace, stream, start_id, end_time, order, limit, configuration
):
start_id_event = Event(start_id)
end_id_event = Event(uuid_from_kronos_time(end_time, _type=UUIDType.
HIGHEST))
stream_events = self.db[namespace][stream]
lo = bisect.bisect_left(stream_events, start_id_event)
if lo + 1 > len(stream_events):
return
if stream_events[lo] == start_id_event:
lo += 1
hi = bisect.bisect_right(stream_events, end_id_event)
if order == ResultOrder.DESCENDING:
index_it = xrange(hi - 1, lo - 1, -1)
else:
index_it = xrange(lo, hi)
for i in index_it:
if limit <= 0:
break
limit -= 1
yield marshal.dumps(stream_events[i])
| retrieve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namespace, stream, start_id, end_time, order, limit, configuration\n ):\n start_id_event = Event(start_id)\n end_id_event = Event(uuid_from_kronos_time(end_time, _type=UUIDType.\n HIGHEST))\n stream_events = self.db[namespace][stream]\n lo = bisect.bisect_left(stream_events, start_id_event)\n if lo + 1 > len(stream_events):\n return\n if stream_events[lo] == start_id_event:\n lo += 1\n hi = bisect.bisect_right(stream_events, end_id_event)\n if order == ResultOrder.DESCENDING:\n index_it = xrange(hi - 1, lo - 1, -1)\n else:\n index_it = xrange(lo, hi)\n for i in index_it:\n if limit <= 0:\n break\n limit -= 1\n yield marshal.dumps(stream_events[i])\n",
"role": "user"
},
{
"content": "retrieve",
"role": "assistant"
}
] |
def x():
parser = argparse.ArgumentParser(prog='sphinx-serve', formatter_class=
argparse.ArgumentDefaultsHelpFormatter, conflict_handler='resolve',
description=__doc__)
parser.add_argument('-v', '--version', action='version', version=
'%(prog)s {0}'.format(__version__))
parser.add_argument('-h', '--host', action='store', default='0.0.0.0',
help='Listen to the given hostname')
parser.add_argument('-p', '--port', action='store', type=int, default=
8081, help='Listen to given port')
parser.add_argument('-b', '--build', action='store', default='_build',
help='Build folder name')
parser.add_argument('-s', '--single', action='store_true', help=
'Serve the single-html documentation version')
return parser.parse_args()
| cli | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n parser = argparse.ArgumentParser(prog='sphinx-serve', formatter_class=\n argparse.ArgumentDefaultsHelpFormatter, conflict_handler='resolve',\n description=__doc__)\n parser.add_argument('-v', '--version', action='version', version=\n '%(prog)s {0}'.format(__version__))\n parser.add_argument('-h', '--host', action='store', default='0.0.0.0',\n help='Listen to the given hostname')\n parser.add_argument('-p', '--port', action='store', type=int, default=\n 8081, help='Listen to given port')\n parser.add_argument('-b', '--build', action='store', default='_build',\n help='Build folder name')\n parser.add_argument('-s', '--single', action='store_true', help=\n 'Serve the single-html documentation version')\n return parser.parse_args()\n",
"role": "user"
},
{
"content": "cli",
"role": "assistant"
}
] |
def x(path, build='_build'):
path = os.path.abspath(os.path.expanduser(path))
contents = os.listdir(path)
filtered_contents = [directory for directory in contents if os.path.
isdir(os.path.join(path, directory))]
if build in filtered_contents:
return os.path.join(path, build)
elif path == os.path.realpath('/'):
return None
else:
return find_build_dir('{0}/..'.format(path), build)
| find_build_dir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, build='_build'):\n path = os.path.abspath(os.path.expanduser(path))\n contents = os.listdir(path)\n filtered_contents = [directory for directory in contents if os.path.\n isdir(os.path.join(path, directory))]\n if build in filtered_contents:\n return os.path.join(path, build)\n elif path == os.path.realpath('/'):\n return None\n else:\n return find_build_dir('{0}/..'.format(path), build)\n",
"role": "user"
},
{
"content": "find_build_dir",
"role": "assistant"
}
] |
def x(uuid):
flipped_uuid = uuid.split('-')
flipped_uuid[0], flipped_uuid[2] = flipped_uuid[2], flipped_uuid[0]
flipped_uuid = '-'.join(flipped_uuid)
return flipped_uuid
| flip_uuid_parts | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(uuid):\n flipped_uuid = uuid.split('-')\n flipped_uuid[0], flipped_uuid[2] = flipped_uuid[2], flipped_uuid[0]\n flipped_uuid = '-'.join(flipped_uuid)\n return flipped_uuid\n",
"role": "user"
},
{
"content": "flip_uuid_parts",
"role": "assistant"
}
] |
def x(binaryLetter='', heirarchy=True):
starPar = StarParameters()
starPar.addParam('age', '7.6')
starPar.addParam('magB', '9.8')
starPar.addParam('magH', '7.4')
starPar.addParam('magI', '7.6')
starPar.addParam('magJ', '7.5')
starPar.addParam('magK', '7.3')
starPar.addParam('magV', '9.0')
starPar.addParam('mass', '0.98')
starPar.addParam('metallicity', '0.43')
starPar.addParam('name', 'Example Star {0}{1}'.format(ac.
_ExampleSystemCount, binaryLetter))
starPar.addParam('name', 'HD {0}{1}'.format(ac._ExampleSystemCount,
binaryLetter))
starPar.addParam('radius', '0.95')
starPar.addParam('spectraltype', 'G5')
starPar.addParam('temperature', '5370')
exampleStar = Star(starPar.params)
exampleStar.flags.addFlag('Fake')
if heirarchy:
if binaryLetter:
exampleBinary = genExampleBinary()
exampleBinary._addChild(exampleStar)
exampleStar.parent = exampleBinary
else:
exampleSystem = genExampleSystem()
exampleSystem._addChild(exampleStar)
exampleStar.parent = exampleSystem
return exampleStar
| genExampleStar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(binaryLetter='', heirarchy=True):\n starPar = StarParameters()\n starPar.addParam('age', '7.6')\n starPar.addParam('magB', '9.8')\n starPar.addParam('magH', '7.4')\n starPar.addParam('magI', '7.6')\n starPar.addParam('magJ', '7.5')\n starPar.addParam('magK', '7.3')\n starPar.addParam('magV', '9.0')\n starPar.addParam('mass', '0.98')\n starPar.addParam('metallicity', '0.43')\n starPar.addParam('name', 'Example Star {0}{1}'.format(ac.\n _ExampleSystemCount, binaryLetter))\n starPar.addParam('name', 'HD {0}{1}'.format(ac._ExampleSystemCount,\n binaryLetter))\n starPar.addParam('radius', '0.95')\n starPar.addParam('spectraltype', 'G5')\n starPar.addParam('temperature', '5370')\n exampleStar = Star(starPar.params)\n exampleStar.flags.addFlag('Fake')\n if heirarchy:\n if binaryLetter:\n exampleBinary = genExampleBinary()\n exampleBinary._addChild(exampleStar)\n exampleStar.parent = exampleBinary\n else:\n exampleSystem = genExampleSystem()\n exampleSystem._addChild(exampleStar)\n exampleStar.parent = exampleSystem\n return exampleStar\n",
"role": "user"
},
{
"content": "genExampleStar",
"role": "assistant"
}
] |
def x(binaryLetter=''):
planetPar = PlanetParameters()
planetPar.addParam('discoverymethod', 'transit')
planetPar.addParam('discoveryyear', '2001')
planetPar.addParam('eccentricity', '0.09')
planetPar.addParam('inclination', '89.2')
planetPar.addParam('lastupdate', '12/12/08')
planetPar.addParam('mass', '3.9')
planetPar.addParam('name', 'Example Star {0}{1} b'.format(ac.
_ExampleSystemCount, binaryLetter))
planetPar.addParam('period', '111.2')
planetPar.addParam('radius', '0.92')
planetPar.addParam('semimajoraxis', '0.449')
planetPar.addParam('temperature', '339.6')
planetPar.addParam('transittime', '2454876.344')
planetPar.addParam('separation', '330', {'unit': 'AU'})
examplePlanet = Planet(planetPar.params)
examplePlanet.flags.addFlag('Fake')
exampleStar = genExampleStar(binaryLetter=binaryLetter)
exampleStar._addChild(examplePlanet)
examplePlanet.parent = exampleStar
return examplePlanet
| genExamplePlanet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(binaryLetter=''):\n planetPar = PlanetParameters()\n planetPar.addParam('discoverymethod', 'transit')\n planetPar.addParam('discoveryyear', '2001')\n planetPar.addParam('eccentricity', '0.09')\n planetPar.addParam('inclination', '89.2')\n planetPar.addParam('lastupdate', '12/12/08')\n planetPar.addParam('mass', '3.9')\n planetPar.addParam('name', 'Example Star {0}{1} b'.format(ac.\n _ExampleSystemCount, binaryLetter))\n planetPar.addParam('period', '111.2')\n planetPar.addParam('radius', '0.92')\n planetPar.addParam('semimajoraxis', '0.449')\n planetPar.addParam('temperature', '339.6')\n planetPar.addParam('transittime', '2454876.344')\n planetPar.addParam('separation', '330', {'unit': 'AU'})\n examplePlanet = Planet(planetPar.params)\n examplePlanet.flags.addFlag('Fake')\n exampleStar = genExampleStar(binaryLetter=binaryLetter)\n exampleStar._addChild(examplePlanet)\n examplePlanet.parent = exampleStar\n return examplePlanet\n",
"role": "user"
},
{
"content": "genExamplePlanet",
"role": "assistant"
}
] |
def x(backend):
kitchen = DKCloudCommandRunner.which_kitchen_name()
if kitchen is None:
raise click.ClickException('You are not in a Kitchen')
recipe_dir = DKRecipeDisk.find_recipe_root_dir()
if recipe_dir is None:
raise click.ClickException('You must be in a Recipe folder')
recipe_name = DKRecipeDisk.find_recipe_name()
click.secho(
"%s - Getting the status of Recipe '%s' in Kitchen '%s'\n\tversus directory '%s'"
% (get_datetime(), recipe_name, kitchen, recipe_dir), fg='green')
check_and_print(DKCloudCommandRunner.recipe_status(backend.dki, kitchen,
recipe_name, recipe_dir))
| recipe_status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(backend):\n kitchen = DKCloudCommandRunner.which_kitchen_name()\n if kitchen is None:\n raise click.ClickException('You are not in a Kitchen')\n recipe_dir = DKRecipeDisk.find_recipe_root_dir()\n if recipe_dir is None:\n raise click.ClickException('You must be in a Recipe folder')\n recipe_name = DKRecipeDisk.find_recipe_name()\n click.secho(\n \"%s - Getting the status of Recipe '%s' in Kitchen '%s'\\n\\tversus directory '%s'\"\n % (get_datetime(), recipe_name, kitchen, recipe_dir), fg='green')\n check_and_print(DKCloudCommandRunner.recipe_status(backend.dki, kitchen,\n recipe_name, recipe_dir))\n",
"role": "user"
},
{
"content": "recipe_status",
"role": "assistant"
}
] |
def x(backend):
recipe_dir = DKRecipeDisk.find_recipe_root_dir()
if recipe_dir is None:
raise click.ClickException('You must be in a Recipe folder.')
recipe_name = DKRecipeDisk.find_recipe_name()
click.secho("%s - Checking for conflicts on Recipe '%s'" % (
get_datetime(), recipe_name))
recipe_name = DKRecipeDisk.find_recipe_name()
check_and_print(DKCloudCommandRunner.get_unresolved_conflicts(
recipe_name, recipe_dir))
| recipe_conflicts | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(backend):\n recipe_dir = DKRecipeDisk.find_recipe_root_dir()\n if recipe_dir is None:\n raise click.ClickException('You must be in a Recipe folder.')\n recipe_name = DKRecipeDisk.find_recipe_name()\n click.secho(\"%s - Checking for conflicts on Recipe '%s'\" % (\n get_datetime(), recipe_name))\n recipe_name = DKRecipeDisk.find_recipe_name()\n check_and_print(DKCloudCommandRunner.get_unresolved_conflicts(\n recipe_name, recipe_dir))\n",
"role": "user"
},
{
"content": "recipe_conflicts",
"role": "assistant"
}
] |
def x(backend):
click.echo(click.style('%s - Getting the list of kitchens' %
get_datetime(), fg='green'))
check_and_print(DKCloudCommandRunner.list_kitchen(backend.dki))
| kitchen_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(backend):\n click.echo(click.style('%s - Getting the list of kitchens' %\n get_datetime(), fg='green'))\n check_and_print(DKCloudCommandRunner.list_kitchen(backend.dki))\n",
"role": "user"
},
{
"content": "kitchen_list",
"role": "assistant"
}
] |
def x(backend, kitchen_name, recipe):
found_kitchen = DKKitchenDisk.find_kitchen_name()
if found_kitchen is not None and len(found_kitchen) > 0:
raise click.ClickException(
'You cannot get a kitchen into an existing kitchen directory structure.'
)
if len(recipe) > 0:
click.secho("%s - Getting kitchen '%s' and the recipes %s" % (
get_datetime(), kitchen_name, str(recipe)), fg='green')
else:
click.secho("%s - Getting kitchen '%s'" % (get_datetime(),
kitchen_name), fg='green')
check_and_print(DKCloudCommandRunner.get_kitchen(backend.dki,
kitchen_name, os.getcwd(), recipe))
| kitchen_get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(backend, kitchen_name, recipe):\n found_kitchen = DKKitchenDisk.find_kitchen_name()\n if found_kitchen is not None and len(found_kitchen) > 0:\n raise click.ClickException(\n 'You cannot get a kitchen into an existing kitchen directory structure.'\n )\n if len(recipe) > 0:\n click.secho(\"%s - Getting kitchen '%s' and the recipes %s\" % (\n get_datetime(), kitchen_name, str(recipe)), fg='green')\n else:\n click.secho(\"%s - Getting kitchen '%s'\" % (get_datetime(),\n kitchen_name), fg='green')\n check_and_print(DKCloudCommandRunner.get_kitchen(backend.dki,\n kitchen_name, os.getcwd(), recipe))\n",
"role": "user"
},
{
"content": "kitchen_get",
"role": "assistant"
}
] |
def x(backend, parent, kitchen):
click.secho('%s - Creating kitchen %s from parent kitchen %s' % (
get_datetime(), kitchen, parent), fg='green')
master = 'master'
if kitchen.lower() != master.lower():
check_and_print(DKCloudCommandRunner.create_kitchen(backend.dki,
parent, kitchen))
else:
raise click.ClickException('Cannot create a kitchen called %s' % master
)
| kitchen_create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(backend, parent, kitchen):\n click.secho('%s - Creating kitchen %s from parent kitchen %s' % (\n get_datetime(), kitchen, parent), fg='green')\n master = 'master'\n if kitchen.lower() != master.lower():\n check_and_print(DKCloudCommandRunner.create_kitchen(backend.dki,\n parent, kitchen))\n else:\n raise click.ClickException('Cannot create a kitchen called %s' % master\n )\n",
"role": "user"
},
{
"content": "kitchen_create",
"role": "assistant"
}
] |
def x(backend, kitchen):
click.secho('%s - Deleting kitchen %s' % (get_datetime(), kitchen), fg=
'green')
master = 'master'
if kitchen.lower() != master.lower():
check_and_print(DKCloudCommandRunner.delete_kitchen(backend.dki,
kitchen))
else:
raise click.ClickException('Cannot delete the kitchen called %s' %
master)
| kitchen_delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(backend, kitchen):\n click.secho('%s - Deleting kitchen %s' % (get_datetime(), kitchen), fg=\n 'green')\n master = 'master'\n if kitchen.lower() != master.lower():\n check_and_print(DKCloudCommandRunner.delete_kitchen(backend.dki,\n kitchen))\n else:\n raise click.ClickException('Cannot delete the kitchen called %s' %\n master)\n",
"role": "user"
},
{
"content": "kitchen_delete",
"role": "assistant"
}
] |
def x(backend, kitchen, add, get, unset, listall):
err_str, use_kitchen = Backend.get_kitchen_from_user(kitchen)
if use_kitchen is None:
raise click.ClickException(err_str)
check_and_print(DKCloudCommandRunner.config_kitchen(backend.dki,
use_kitchen, add, get, unset, listall))
| kitchen_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(backend, kitchen, add, get, unset, listall):\n err_str, use_kitchen = Backend.get_kitchen_from_user(kitchen)\n if use_kitchen is None:\n raise click.ClickException(err_str)\n check_and_print(DKCloudCommandRunner.config_kitchen(backend.dki,\n use_kitchen, add, get, unset, listall))\n",
"role": "user"
},
{
"content": "kitchen_config",
"role": "assistant"
}
] |
def x(backend, source_kitchen, target_kitchen):
click.secho('%s - Merging Kitchen %s into Kitchen %s' % (get_datetime(),
source_kitchen, target_kitchen), fg='green')
check_and_print(DKCloudCommandRunner.merge_kitchens_improved(backend.
dki, source_kitchen, target_kitchen))
| kitchen_merge | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(backend, source_kitchen, target_kitchen):\n click.secho('%s - Merging Kitchen %s into Kitchen %s' % (get_datetime(),\n source_kitchen, target_kitchen), fg='green')\n check_and_print(DKCloudCommandRunner.merge_kitchens_improved(backend.\n dki, source_kitchen, target_kitchen))\n",
"role": "user"
},
{
"content": "kitchen_merge",
"role": "assistant"
}
] |
def x(backend, kitchen):
err_str, use_kitchen = Backend.get_kitchen_from_user(kitchen)
if use_kitchen is None:
raise click.ClickException(err_str)
click.secho("%s - Getting the list of Recipes for Kitchen '%s'" % (
get_datetime(), use_kitchen), fg='green')
check_and_print(DKCloudCommandRunner.list_recipe(backend.dki, use_kitchen))
| recipe_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(backend, kitchen):\n err_str, use_kitchen = Backend.get_kitchen_from_user(kitchen)\n if use_kitchen is None:\n raise click.ClickException(err_str)\n click.secho(\"%s - Getting the list of Recipes for Kitchen '%s'\" % (\n get_datetime(), use_kitchen), fg='green')\n check_and_print(DKCloudCommandRunner.list_recipe(backend.dki, use_kitchen))\n",
"role": "user"
},
{
"content": "recipe_list",
"role": "assistant"
}
] |
def x(backend, kitchen, name):
err_str, use_kitchen = Backend.get_kitchen_from_user(kitchen)
if use_kitchen is None:
raise click.ClickException(err_str)
click.secho("%s - Creating Recipe %s for Kitchen '%s'" % (get_datetime(
), name, use_kitchen), fg='green')
check_and_print(DKCloudCommandRunner.recipe_create(backend.dki,
use_kitchen, name))
| recipe_create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(backend, kitchen, name):\n err_str, use_kitchen = Backend.get_kitchen_from_user(kitchen)\n if use_kitchen is None:\n raise click.ClickException(err_str)\n click.secho(\"%s - Creating Recipe %s for Kitchen '%s'\" % (get_datetime(\n ), name, use_kitchen), fg='green')\n check_and_print(DKCloudCommandRunner.recipe_create(backend.dki,\n use_kitchen, name))\n",
"role": "user"
},
{
"content": "recipe_create",
"role": "assistant"
}
] |
def x(backend, recipe):
recipe_root_dir = DKRecipeDisk.find_recipe_root_dir()
if recipe_root_dir is None:
if recipe is None:
raise click.ClickException(
"""
Please change to a recipe folder or provide a recipe name arguement"""
)
kitchen_root_dir = DKKitchenDisk.is_kitchen_root_dir()
if not kitchen_root_dir:
raise click.ClickException(
'\nPlease change to a recipe folder or a kitchen root dir.')
recipe_name = recipe
start_dir = DKKitchenDisk.find_kitchen_root_dir()
else:
recipe_name = DKRecipeDisk.find_recipe_name()
if recipe is not None:
if recipe_name != recipe:
raise click.ClickException(
"""
The recipe name argument '%s' is inconsistent with the current directory '%s'"""
% (recipe, recipe_root_dir))
start_dir = recipe_root_dir
kitchen_name = Backend.get_kitchen_name_soft()
click.secho(
"%s - Getting the latest version of Recipe '%s' in Kitchen '%s'" %
(get_datetime(), recipe_name, kitchen_name), fg='green')
check_and_print(DKCloudCommandRunner.get_recipe(backend.dki,
kitchen_name, recipe_name, start_dir))
| recipe_get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(backend, recipe):\n recipe_root_dir = DKRecipeDisk.find_recipe_root_dir()\n if recipe_root_dir is None:\n if recipe is None:\n raise click.ClickException(\n \"\"\"\nPlease change to a recipe folder or provide a recipe name arguement\"\"\"\n )\n kitchen_root_dir = DKKitchenDisk.is_kitchen_root_dir()\n if not kitchen_root_dir:\n raise click.ClickException(\n '\\nPlease change to a recipe folder or a kitchen root dir.')\n recipe_name = recipe\n start_dir = DKKitchenDisk.find_kitchen_root_dir()\n else:\n recipe_name = DKRecipeDisk.find_recipe_name()\n if recipe is not None:\n if recipe_name != recipe:\n raise click.ClickException(\n \"\"\"\nThe recipe name argument '%s' is inconsistent with the current directory '%s'\"\"\"\n % (recipe, recipe_root_dir))\n start_dir = recipe_root_dir\n kitchen_name = Backend.get_kitchen_name_soft()\n click.secho(\n \"%s - Getting the latest version of Recipe '%s' in Kitchen '%s'\" %\n (get_datetime(), recipe_name, kitchen_name), fg='green')\n check_and_print(DKCloudCommandRunner.get_recipe(backend.dki,\n kitchen_name, recipe_name, start_dir))\n",
"role": "user"
},
{
"content": "recipe_get",
"role": "assistant"
}
] |
def x(backend, kitchen, recipe, variation):
err_str, use_kitchen = Backend.get_kitchen_from_user(kitchen)
if use_kitchen is None:
raise click.ClickException(err_str)
if recipe is None:
recipe = DKRecipeDisk.find_recipe_name()
if recipe is None:
raise click.ClickException(
'You must be in a recipe folder, or provide a recipe name.')
click.secho(
'%s - Get the Compiled OrderRun of Recipe %s.%s in Kitchen %s' % (
get_datetime(), recipe, variation, use_kitchen), fg='green')
check_and_print(DKCloudCommandRunner.get_compiled_serving(backend.dki,
use_kitchen, recipe, variation))
| recipe_compile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(backend, kitchen, recipe, variation):\n err_str, use_kitchen = Backend.get_kitchen_from_user(kitchen)\n if use_kitchen is None:\n raise click.ClickException(err_str)\n if recipe is None:\n recipe = DKRecipeDisk.find_recipe_name()\n if recipe is None:\n raise click.ClickException(\n 'You must be in a recipe folder, or provide a recipe name.')\n click.secho(\n '%s - Get the Compiled OrderRun of Recipe %s.%s in Kitchen %s' % (\n get_datetime(), recipe, variation, use_kitchen), fg='green')\n check_and_print(DKCloudCommandRunner.get_compiled_serving(backend.dki,\n use_kitchen, recipe, variation))\n",
"role": "user"
},
{
"content": "recipe_compile",
"role": "assistant"
}
] |
def x(backend, kitchen, recipe, message, filepath):
err_str, use_kitchen = Backend.get_kitchen_from_user(kitchen)
if use_kitchen is None:
raise click.ClickException(err_str)
if recipe is None:
recipe = DKRecipeDisk.find_recipe_name()
if recipe is None:
raise click.ClickException(
'You must be in a recipe folder, or provide a recipe name.')
click.secho(
'%s - Adding File (%s) to Recipe (%s) in kitchen(%s) with message (%s)'
% (get_datetime(), filepath, recipe, use_kitchen, message), fg='green'
)
check_and_print(DKCloudCommandRunner.add_file(backend.dki, use_kitchen,
recipe, message, filepath))
| file_add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(backend, kitchen, recipe, message, filepath):\n err_str, use_kitchen = Backend.get_kitchen_from_user(kitchen)\n if use_kitchen is None:\n raise click.ClickException(err_str)\n if recipe is None:\n recipe = DKRecipeDisk.find_recipe_name()\n if recipe is None:\n raise click.ClickException(\n 'You must be in a recipe folder, or provide a recipe name.')\n click.secho(\n '%s - Adding File (%s) to Recipe (%s) in kitchen(%s) with message (%s)'\n % (get_datetime(), filepath, recipe, use_kitchen, message), fg='green'\n )\n check_and_print(DKCloudCommandRunner.add_file(backend.dki, use_kitchen,\n recipe, message, filepath))\n",
"role": "user"
},
{
"content": "file_add",
"role": "assistant"
}
] |
def x(backend, message, dryrun):
kitchen = DKCloudCommandRunner.which_kitchen_name()
if kitchen is None:
raise click.ClickException('You must be in a Kitchen')
recipe_dir = DKRecipeDisk.find_recipe_root_dir()
if recipe_dir is None:
raise click.ClickException('You must be in a Recipe folder')
recipe = DKRecipeDisk.find_recipe_name()
if dryrun:
click.secho(
'%s - Display all changed files in Recipe (%s) in Kitchen(%s) with message (%s)'
% (get_datetime(), recipe, kitchen, message), fg='green')
else:
click.secho(
'%s - Updating all changed files in Recipe (%s) in Kitchen(%s) with message (%s)'
% (get_datetime(), recipe, kitchen, message), fg='green')
check_and_print(DKCloudCommandRunner.update_all_files(backend.dki,
kitchen, recipe, recipe_dir, message, dryrun))
| file_update_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(backend, message, dryrun):\n kitchen = DKCloudCommandRunner.which_kitchen_name()\n if kitchen is None:\n raise click.ClickException('You must be in a Kitchen')\n recipe_dir = DKRecipeDisk.find_recipe_root_dir()\n if recipe_dir is None:\n raise click.ClickException('You must be in a Recipe folder')\n recipe = DKRecipeDisk.find_recipe_name()\n if dryrun:\n click.secho(\n '%s - Display all changed files in Recipe (%s) in Kitchen(%s) with message (%s)'\n % (get_datetime(), recipe, kitchen, message), fg='green')\n else:\n click.secho(\n '%s - Updating all changed files in Recipe (%s) in Kitchen(%s) with message (%s)'\n % (get_datetime(), recipe, kitchen, message), fg='green')\n check_and_print(DKCloudCommandRunner.update_all_files(backend.dki,\n kitchen, recipe, recipe_dir, message, dryrun))\n",
"role": "user"
},
{
"content": "file_update_all",
"role": "assistant"
}
] |
def x(backend, filepath):
recipe = DKRecipeDisk.find_recipe_name()
if recipe is None:
raise click.ClickException('You must be in a recipe folder.')
click.secho('%s - Resolving conflicts' % get_datetime())
for file_to_resolve in filepath:
if not os.path.exists(file_to_resolve):
raise click.ClickException('%s does not exist' % file_to_resolve)
check_and_print(DKCloudCommandRunner.resolve_conflict(file_to_resolve))
| file_resolve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(backend, filepath):\n recipe = DKRecipeDisk.find_recipe_name()\n if recipe is None:\n raise click.ClickException('You must be in a recipe folder.')\n click.secho('%s - Resolving conflicts' % get_datetime())\n for file_to_resolve in filepath:\n if not os.path.exists(file_to_resolve):\n raise click.ClickException('%s does not exist' % file_to_resolve)\n check_and_print(DKCloudCommandRunner.resolve_conflict(file_to_resolve))\n",
"role": "user"
},
{
"content": "file_resolve",
"role": "assistant"
}
] |
def x(backend, kitchen, recipe, variation, node):
err_str, use_kitchen = Backend.get_kitchen_from_user(kitchen)
if use_kitchen is None:
raise click.ClickException(err_str)
if recipe is None:
recipe = DKRecipeDisk.find_recipe_name()
if recipe is None:
raise click.ClickException(
'You must be in a recipe folder, or provide a recipe name.')
msg = (
'%s - Create an Order:\n\tKitchen: %s\n\tRecipe: %s\n\tVariation: %s\n'
% (get_datetime(), use_kitchen, recipe, variation))
if node is not None:
msg += '\tNode: %s\n' % node
click.secho(msg, fg='green')
check_and_print(DKCloudCommandRunner.create_order(backend.dki,
use_kitchen, recipe, variation, node))
| order_run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(backend, kitchen, recipe, variation, node):\n err_str, use_kitchen = Backend.get_kitchen_from_user(kitchen)\n if use_kitchen is None:\n raise click.ClickException(err_str)\n if recipe is None:\n recipe = DKRecipeDisk.find_recipe_name()\n if recipe is None:\n raise click.ClickException(\n 'You must be in a recipe folder, or provide a recipe name.')\n msg = (\n '%s - Create an Order:\\n\\tKitchen: %s\\n\\tRecipe: %s\\n\\tVariation: %s\\n'\n % (get_datetime(), use_kitchen, recipe, variation))\n if node is not None:\n msg += '\\tNode: %s\\n' % node\n click.secho(msg, fg='green')\n check_and_print(DKCloudCommandRunner.create_order(backend.dki,\n use_kitchen, recipe, variation, node))\n",
"role": "user"
},
{
"content": "order_run",
"role": "assistant"
}
] |
def x(backend, order_id):
if order_id is None:
raise click.ClickException('invalid order id %s' % order_id)
click.secho('%s - Stop order id %s' % (get_datetime(), order_id), fg=
'green')
check_and_print(DKCloudCommandRunner.stop_order(backend.dki, order_id))
| order_stop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(backend, order_id):\n if order_id is None:\n raise click.ClickException('invalid order id %s' % order_id)\n click.secho('%s - Stop order id %s' % (get_datetime(), order_id), fg=\n 'green')\n check_and_print(DKCloudCommandRunner.stop_order(backend.dki, order_id))\n",
"role": "user"
},
{
"content": "order_stop",
"role": "assistant"
}
] |
def x(backend, order_run_id):
if order_run_id is None:
raise click.ClickException('invalid order id %s' % order_run_id)
click.secho('%s - Stop order id %s' % (get_datetime(), order_run_id),
fg='green')
check_and_print(DKCloudCommandRunner.stop_orderrun(backend.dki,
order_run_id.strip()))
| order_stop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(backend, order_run_id):\n if order_run_id is None:\n raise click.ClickException('invalid order id %s' % order_run_id)\n click.secho('%s - Stop order id %s' % (get_datetime(), order_run_id),\n fg='green')\n check_and_print(DKCloudCommandRunner.stop_orderrun(backend.dki,\n order_run_id.strip()))\n",
"role": "user"
},
{
"content": "order_stop",
"role": "assistant"
}
] |
def x(backend, kitchen, summary, nodestatus, runstatus, log, timing, test,
all_things, order_id, order_run_id, disp_order_id, disp_order_run_id):
err_str, use_kitchen = Backend.get_kitchen_from_user(kitchen)
if use_kitchen is None:
raise click.ClickException(err_str)
pd = dict()
if all_things:
pd['summary'] = True
pd['logs'] = True
pd['timingresults'] = True
pd['testresults'] = True
pd['status'] = True
if summary:
pd['summary'] = True
if log:
pd['logs'] = True
if timing:
pd['timingresults'] = True
if test:
pd['testresults'] = True
if nodestatus:
pd['status'] = True
if runstatus:
pd['runstatus'] = True
if disp_order_id:
pd['disp_order_id'] = True
if disp_order_run_id:
pd['disp_order_run_id'] = True
if (not runstatus and not all_things and not test and not timing and
not log and not nodestatus and not summary and not disp_order_id and
not disp_order_run_id):
pd['summary'] = True
if order_id is not None and order_run_id is not None:
raise click.ClickException(
'Cannot specify both the Order Id and the OrderRun Id')
if order_id is not None:
pd[DKCloudCommandRunner.ORDER_ID] = order_id.strip()
elif order_run_id is not None:
pd[DKCloudCommandRunner.ORDER_RUN_ID] = order_run_id.strip()
if not runstatus and not disp_order_id and not disp_order_run_id:
click.secho('%s - Display Order-Run details from kitchen %s' % (
get_datetime(), use_kitchen), fg='green')
check_and_print(DKCloudCommandRunner.orderrun_detail(backend.dki,
use_kitchen, pd))
| orderrun_detail | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(backend, kitchen, summary, nodestatus, runstatus, log, timing, test,\n all_things, order_id, order_run_id, disp_order_id, disp_order_run_id):\n err_str, use_kitchen = Backend.get_kitchen_from_user(kitchen)\n if use_kitchen is None:\n raise click.ClickException(err_str)\n pd = dict()\n if all_things:\n pd['summary'] = True\n pd['logs'] = True\n pd['timingresults'] = True\n pd['testresults'] = True\n pd['status'] = True\n if summary:\n pd['summary'] = True\n if log:\n pd['logs'] = True\n if timing:\n pd['timingresults'] = True\n if test:\n pd['testresults'] = True\n if nodestatus:\n pd['status'] = True\n if runstatus:\n pd['runstatus'] = True\n if disp_order_id:\n pd['disp_order_id'] = True\n if disp_order_run_id:\n pd['disp_order_run_id'] = True\n if (not runstatus and not all_things and not test and not timing and \n not log and not nodestatus and not summary and not disp_order_id and\n not disp_order_run_id):\n pd['summary'] = True\n if order_id is not None and order_run_id is not None:\n raise click.ClickException(\n 'Cannot specify both the Order Id and the OrderRun Id')\n if order_id is not None:\n pd[DKCloudCommandRunner.ORDER_ID] = order_id.strip()\n elif order_run_id is not None:\n pd[DKCloudCommandRunner.ORDER_RUN_ID] = order_run_id.strip()\n if not runstatus and not disp_order_id and not disp_order_run_id:\n click.secho('%s - Display Order-Run details from kitchen %s' % (\n get_datetime(), use_kitchen), fg='green')\n check_and_print(DKCloudCommandRunner.orderrun_detail(backend.dki,\n use_kitchen, pd))\n",
"role": "user"
},
{
"content": "orderrun_detail",
"role": "assistant"
}
] |
def x(backend, orderrun_id):
click.secho('%s - Deleting orderrun %s' % (get_datetime(), orderrun_id),
fg='green')
check_and_print(DKCloudCommandRunner.delete_orderrun(backend.dki,
orderrun_id.strip()))
| delete_orderrun | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(backend, orderrun_id):\n click.secho('%s - Deleting orderrun %s' % (get_datetime(), orderrun_id),\n fg='green')\n check_and_print(DKCloudCommandRunner.delete_orderrun(backend.dki,\n orderrun_id.strip()))\n",
"role": "user"
},
{
"content": "delete_orderrun",
"role": "assistant"
}
] |
def x(backend, kitchen):
err_str, use_kitchen = Backend.get_kitchen_from_user(kitchen)
if use_kitchen is None:
raise click.ClickException(err_str)
click.secho('%s - Get Order information for Kitchen %s' % (get_datetime
(), use_kitchen), fg='green')
check_and_print(DKCloudCommandRunner.list_order(backend.dki, use_kitchen))
| order_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(backend, kitchen):\n err_str, use_kitchen = Backend.get_kitchen_from_user(kitchen)\n if use_kitchen is None:\n raise click.ClickException(err_str)\n click.secho('%s - Get Order information for Kitchen %s' % (get_datetime\n (), use_kitchen), fg='green')\n check_and_print(DKCloudCommandRunner.list_order(backend.dki, use_kitchen))\n",
"role": "user"
},
{
"content": "order_list",
"role": "assistant"
}
] |
def x(backend, path):
click.echo(click.style('%s - Getting the list of secrets' %
get_datetime(), fg='green'))
check_and_print(DKCloudCommandRunner.secret_list(backend.dki, path))
| secret_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(backend, path):\n click.echo(click.style('%s - Getting the list of secrets' %\n get_datetime(), fg='green'))\n check_and_print(DKCloudCommandRunner.secret_list(backend.dki, path))\n",
"role": "user"
},
{
"content": "secret_list",
"role": "assistant"
}
] |
def x(backend, entry):
path, value = entry.split('=')
if value.startswith('@'):
with open(value[1:]) as vfile:
value = vfile.read()
click.echo(click.style('%s - Writing secret' % get_datetime(), fg='green'))
check_and_print(DKCloudCommandRunner.secret_write(backend.dki, path, value)
)
| secret_write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(backend, entry):\n path, value = entry.split('=')\n if value.startswith('@'):\n with open(value[1:]) as vfile:\n value = vfile.read()\n click.echo(click.style('%s - Writing secret' % get_datetime(), fg='green'))\n check_and_print(DKCloudCommandRunner.secret_write(backend.dki, path, value)\n )\n",
"role": "user"
},
{
"content": "secret_write",
"role": "assistant"
}
] |
def x(text, end='\n', flush=True, stream=sys.stdout):
stream.write(str(text) + end)
if flush:
stream.flush()
| puts | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, end='\\n', flush=True, stream=sys.stdout):\n stream.write(str(text) + end)\n if flush:\n stream.flush()\n",
"role": "user"
},
{
"content": "puts",
"role": "assistant"
}
] |
def x(self):
if not hasattr(self, '_stream'):
if self.file is not None:
self._stream = self.file
elif self.filename is not None:
self._stream = open(self.filename, 'rb')
elif self.text is not None:
self._stream = StringIO(self.text)
elif self.data is not None:
self._stream = BytesIO(self.data)
else:
raise ValueError('Broken Data, all None.')
return self._stream
| stream | [
{
"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 hasattr(self, '_stream'):\n if self.file is not None:\n self._stream = self.file\n elif self.filename is not None:\n self._stream = open(self.filename, 'rb')\n elif self.text is not None:\n self._stream = StringIO(self.text)\n elif self.data is not None:\n self._stream = BytesIO(self.data)\n else:\n raise ValueError('Broken Data, all None.')\n return self._stream\n",
"role": "user"
},
{
"content": "stream",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
return list(iter(partial(self.readline, *args, **kwargs), u''))
| readlines | [
{
"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 return list(iter(partial(self.readline, *args, **kwargs), u''))\n",
"role": "user"
},
{
"content": "readlines",
"role": "assistant"
}
] |
def x(self, file):
dest = file
if hasattr(dest, 'write'):
if self.file is not None and getattr(self.file, 'encoding', None
) is None:
copyfileobj(self.file, dest)
elif self.filename is not None:
with open(self.filename, 'rb') as inp:
copyfileobj(inp, dest)
else:
dest.write(self.__bytes__())
else:
with open(dest, 'wb') as out:
return self.save_to(out)
| save_to | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file):\n dest = file\n if hasattr(dest, 'write'):\n if self.file is not None and getattr(self.file, 'encoding', None\n ) is None:\n copyfileobj(self.file, dest)\n elif self.filename is not None:\n with open(self.filename, 'rb') as inp:\n copyfileobj(inp, dest)\n else:\n dest.write(self.__bytes__())\n else:\n with open(dest, 'wb') as out:\n return self.save_to(out)\n",
"role": "user"
},
{
"content": "save_to",
"role": "assistant"
}
] |
def x(self, suffix='', prefix='tmp', dir=None):
tmp = tempfile.NamedTemporaryFile(suffix=suffix, prefix=prefix, dir=dir,
delete=False)
try:
self.save_to(tmp)
tmp.flush()
tmp.seek(0)
yield tmp
finally:
try:
os.unlink(tmp.name)
except OSError as e:
if e.errno != 2:
reraise(e)
| temp_saved | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, suffix='', prefix='tmp', dir=None):\n tmp = tempfile.NamedTemporaryFile(suffix=suffix, prefix=prefix, dir=dir,\n delete=False)\n try:\n self.save_to(tmp)\n tmp.flush()\n tmp.seek(0)\n yield tmp\n finally:\n try:\n os.unlink(tmp.name)\n except OSError as e:\n if e.errno != 2:\n reraise(e)\n",
"role": "user"
},
{
"content": "temp_saved",
"role": "assistant"
}
] |
def x(self, f):
outside_pos = f.tell()
doff = find_offset(f, 4 * b'\xff' + 'HapsSearch'.encode('ascii'))
f.seek(doff - 62)
while True:
f.seek(f.tell() - 8)
if f.read(4) == 4 * b'\xff':
break
f.seek(f.tell() + 64)
nsegments = struct.unpack('<I', f.read(4))[0]
for _ in range(nsegments):
f.seek(f.tell() + 96)
nions = struct.unpack('<I', f.read(4))[0]
ions = []
for _ in range(nions):
i1, i2, _, _, _, _, itype, _ = struct.unpack('<' + 8 * 'I', f.
read(32))
if itype == 0:
ions.append(i1 / 100.0)
else:
ions += np.arange(i1 / 100.0, i2 / 100.0 + 1, 1).tolist()
inside_pos = f.tell()
f.seek(outside_pos)
yield ions
outside_pos = f.tell()
f.seek(inside_pos)
f.seek(outside_pos)
| ions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, f):\n outside_pos = f.tell()\n doff = find_offset(f, 4 * b'\\xff' + 'HapsSearch'.encode('ascii'))\n f.seek(doff - 62)\n while True:\n f.seek(f.tell() - 8)\n if f.read(4) == 4 * b'\\xff':\n break\n f.seek(f.tell() + 64)\n nsegments = struct.unpack('<I', f.read(4))[0]\n for _ in range(nsegments):\n f.seek(f.tell() + 96)\n nions = struct.unpack('<I', f.read(4))[0]\n ions = []\n for _ in range(nions):\n i1, i2, _, _, _, _, itype, _ = struct.unpack('<' + 8 * 'I', f.\n read(32))\n if itype == 0:\n ions.append(i1 / 100.0)\n else:\n ions += np.arange(i1 / 100.0, i2 / 100.0 + 1, 1).tolist()\n inside_pos = f.tell()\n f.seek(outside_pos)\n yield ions\n outside_pos = f.tell()\n f.seek(inside_pos)\n f.seek(outside_pos)\n",
"role": "user"
},
{
"content": "ions",
"role": "assistant"
}
] |
def x(cls, message):
sys.stdout.write(message)
sys.stdout.flush()
| emit_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, message):\n sys.stdout.write(message)\n sys.stdout.flush()\n",
"role": "user"
},
{
"content": "emit_message",
"role": "assistant"
}
] |
def x(cls, message):
sys.stderr.write('ERROR: {message}\n'.format(message=message))
sys.stderr.flush()
| emit_error | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, message):\n sys.stderr.write('ERROR: {message}\\n'.format(message=message))\n sys.stderr.flush()\n",
"role": "user"
},
{
"content": "emit_error",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.