source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
async def load(self):
"""Load scenes from KLF 200."""
json_response = await self.pyvlx.interface.api_call('scenes', 'get')
self.data_import(json_response)
|
load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def load(self):\n \"\"\"Load scenes from KLF 200.\"\"\"\n json_response = await self.pyvlx.interface.api_call('scenes', 'get')\n self.data_import(json_response)\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(self, json_response):
if 'data' not in json_response:
raise PyVLXException('no element data found: {0}'.format(json.dumps
(json_response)))
data = json_response['data']
for item in data:
self.load_scene(item)
|
data_import
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, json_response):\n if 'data' not in json_response:\n raise PyVLXException('no element data found: {0}'.format(json.dumps\n (json_response)))\n data = json_response['data']\n for item in data:\n self.load_scene(item)\n",
"role": "user"
},
{
"content": "data_import",
"role": "assistant"
}
] |
def x(self, item):
scene = Scene.from_config(self.pyvlx, item)
self.add(scene)
|
load_scene
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item):\n scene = Scene.from_config(self.pyvlx, item)\n self.add(scene)\n",
"role": "user"
},
{
"content": "load_scene",
"role": "assistant"
}
] |
async def handle_frame(self, frame):
"""Handle incoming API frame, return True if this was the expected frame."""
if not isinstance(frame, FrameGetStateConfirmation):
return False
self.success = True
self.gateway_state = frame.gateway_state
self.gateway_sub_state = frame.gateway_sub_state
return True
|
handle_frame
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def handle_frame(self, frame):\n \"\"\"Handle incoming API frame, return True if this was the expected frame.\"\"\"\n if not isinstance(frame, FrameGetStateConfirmation):\n return False\n self.success = True\n self.gateway_state = frame.gateway_state\n self.gateway_sub_state = frame.gateway_sub_state\n return True\n",
"role": "user"
},
{
"content": "handle_frame",
"role": "assistant"
}
] |
def x(self, raw):
if not isinstance(raw, bytes):
raise PyVLXException('AliasArray::invalid_type_if_raw', type_raw=
type(raw))
if len(raw) != 21:
raise PyVLXException('AliasArray::invalid_size', size=len(raw))
nbr_of_alias = raw[0]
if nbr_of_alias > 5:
raise PyVLXException('AliasArray::invalid_nbr_of_alias',
nbr_of_alias=nbr_of_alias)
for i in range(0, nbr_of_alias):
self.alias_array_.append((raw[i * 4 + 1:i * 4 + 3], raw[i * 4 + 3:i *
4 + 5]))
|
parse_raw
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, raw):\n if not isinstance(raw, bytes):\n raise PyVLXException('AliasArray::invalid_type_if_raw', type_raw=\n type(raw))\n if len(raw) != 21:\n raise PyVLXException('AliasArray::invalid_size', size=len(raw))\n nbr_of_alias = raw[0]\n if nbr_of_alias > 5:\n raise PyVLXException('AliasArray::invalid_nbr_of_alias',\n nbr_of_alias=nbr_of_alias)\n for i in range(0, nbr_of_alias):\n self.alias_array_.append((raw[i * 4 + 1:i * 4 + 3], raw[i * 4 + 3:i *\n 4 + 5]))\n",
"role": "user"
},
{
"content": "parse_raw",
"role": "assistant"
}
] |
def x(raw):
return raw.replace(bytes([SLIP_ESC, SLIP_ESC_END]), bytes([SLIP_END])
).replace(bytes([SLIP_ESC, SLIP_ESC_ESC]), bytes([SLIP_ESC]))
|
decode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw):\n return raw.replace(bytes([SLIP_ESC, SLIP_ESC_END]), bytes([SLIP_END])\n ).replace(bytes([SLIP_ESC, SLIP_ESC_ESC]), bytes([SLIP_ESC]))\n",
"role": "user"
},
{
"content": "decode",
"role": "assistant"
}
] |
def x(raw):
return raw.replace(bytes([SLIP_ESC]), bytes([SLIP_ESC, SLIP_ESC_ESC])
).replace(bytes([SLIP_END]), bytes([SLIP_ESC, SLIP_ESC_END]))
|
encode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw):\n return raw.replace(bytes([SLIP_ESC]), bytes([SLIP_ESC, SLIP_ESC_ESC])\n ).replace(bytes([SLIP_END]), bytes([SLIP_ESC, SLIP_ESC_END]))\n",
"role": "user"
},
{
"content": "encode",
"role": "assistant"
}
] |
def x(raw):
if not is_slip(raw):
return None, raw
length = raw[1:].index(SLIP_END)
slip_packet = decode(raw[1:length + 1])
new_raw = raw[length + 2:]
return slip_packet, new_raw
|
get_next_slip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw):\n if not is_slip(raw):\n return None, raw\n length = raw[1:].index(SLIP_END)\n slip_packet = decode(raw[1:length + 1])\n new_raw = raw[length + 2:]\n return slip_packet, new_raw\n",
"role": "user"
},
{
"content": "get_next_slip",
"role": "assistant"
}
] |
async def set_utc(pyvlx):
"""Enable house status monitor."""
setutc = SetUTC(pyvlx=pyvlx)
await setutc.do_api_call()
if not setutc.success:
raise PyVLXException('Unable to set utc.')
|
set_utc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def set_utc(pyvlx):\n \"\"\"Enable house status monitor.\"\"\"\n setutc = SetUTC(pyvlx=pyvlx)\n await setutc.do_api_call()\n if not setutc.success:\n raise PyVLXException('Unable to set utc.')\n",
"role": "user"
},
{
"content": "set_utc",
"role": "assistant"
}
] |
async def handle_frame(self, frame):
"""Handle incoming API frame, return True if this was the expected frame."""
if not isinstance(frame, FrameSetUTCConfirmation):
return False
self.success = True
return True
|
handle_frame
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def handle_frame(self, frame):\n \"\"\"Handle incoming API frame, return True if this was the expected frame.\"\"\"\n if not isinstance(frame, FrameSetUTCConfirmation):\n return False\n self.success = True\n return True\n",
"role": "user"
},
{
"content": "handle_frame",
"role": "assistant"
}
] |
def x(len_binwave, i_beg, i_end, avflux, deltaw):
binflux = np.empty(shape=(len_binwave,), dtype=np.float64)
intwave = np.empty(shape=(len_binwave,), dtype=np.float64)
for i in range(len(i_beg)):
first = i_beg[i]
last = i_end[i]
cur_dw = deltaw[first:last]
intwave[i] = cur_dw.sum()
binflux[i] = np.sum(avflux[first:last] * cur_dw) / intwave[i]
return binflux, intwave
|
slow_calcbinflux
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(len_binwave, i_beg, i_end, avflux, deltaw):\n binflux = np.empty(shape=(len_binwave,), dtype=np.float64)\n intwave = np.empty(shape=(len_binwave,), dtype=np.float64)\n for i in range(len(i_beg)):\n first = i_beg[i]\n last = i_end[i]\n cur_dw = deltaw[first:last]\n intwave[i] = cur_dw.sum()\n binflux[i] = np.sum(avflux[first:last] * cur_dw) / intwave[i]\n return binflux, intwave\n",
"role": "user"
},
{
"content": "slow_calcbinflux",
"role": "assistant"
}
] |
def x(centers):
if not isinstance(centers, u.Quantity):
centers = centers * u.AA
if centers.ndim != 1:
raise exceptions.SynphotError('Bin centers must be 1D array.')
if centers.size < 2:
raise exceptions.SynphotError(
'Bin centers must have at least two values.')
edges = np.empty(centers.size + 1, dtype=np.float64)
edges[1:-1] = (centers.value[1:] + centers.value[:-1]) * 0.5
edges[0] = 2.0 * centers.value[0] - edges[1]
edges[-1] = 2.0 * centers.value[-1] - edges[-2]
return edges * centers.unit
|
calculate_bin_edges
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(centers):\n if not isinstance(centers, u.Quantity):\n centers = centers * u.AA\n if centers.ndim != 1:\n raise exceptions.SynphotError('Bin centers must be 1D array.')\n if centers.size < 2:\n raise exceptions.SynphotError(\n 'Bin centers must have at least two values.')\n edges = np.empty(centers.size + 1, dtype=np.float64)\n edges[1:-1] = (centers.value[1:] + centers.value[:-1]) * 0.5\n edges[0] = 2.0 * centers.value[0] - edges[1]\n edges[-1] = 2.0 * centers.value[-1] - edges[-2]\n return edges * centers.unit\n",
"role": "user"
},
{
"content": "calculate_bin_edges",
"role": "assistant"
}
] |
def x(edges):
if not isinstance(edges, u.Quantity):
edges = edges * u.AA
if edges.ndim != 1:
raise exceptions.SynphotError('Bin edges must be 1D array.')
if edges.size < 2:
raise exceptions.SynphotError(
'Bin edges must have at least two values.')
return np.abs(edges[1:] - edges[:-1])
|
calculate_bin_widths
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(edges):\n if not isinstance(edges, u.Quantity):\n edges = edges * u.AA\n if edges.ndim != 1:\n raise exceptions.SynphotError('Bin edges must be 1D array.')\n if edges.size < 2:\n raise exceptions.SynphotError(\n 'Bin edges must have at least two values.')\n return np.abs(edges[1:] - edges[:-1])\n",
"role": "user"
},
{
"content": "calculate_bin_widths",
"role": "assistant"
}
] |
def x(edges):
if not isinstance(edges, u.Quantity):
edges = edges * u.AA
if edges.ndim != 1:
raise exceptions.SynphotError('Bin edges must be 1D array.')
if edges.size < 2:
raise exceptions.SynphotError(
'Bin edges must have at least two values.')
centers = np.empty(edges.size - 1, dtype=np.float64)
centers[0] = edges.value[:2].mean()
for i in range(1, centers.size):
centers[i] = 2.0 * edges.value[i] - centers[i - 1]
return centers * edges.unit
|
calculate_bin_centers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(edges):\n if not isinstance(edges, u.Quantity):\n edges = edges * u.AA\n if edges.ndim != 1:\n raise exceptions.SynphotError('Bin edges must be 1D array.')\n if edges.size < 2:\n raise exceptions.SynphotError(\n 'Bin edges must have at least two values.')\n centers = np.empty(edges.size - 1, dtype=np.float64)\n centers[0] = edges.value[:2].mean()\n for i in range(1, centers.size):\n centers[i] = 2.0 * edges.value[i] - centers[i - 1]\n return centers * edges.unit\n",
"role": "user"
},
{
"content": "calculate_bin_centers",
"role": "assistant"
}
] |
def x(bins, cenwave, npix, mode='round'):
mode = mode.lower()
if mode not in ('round', 'min', 'max', 'none'):
raise exceptions.SynphotError(
'mode={0} is invalid, must be "round", "min", "max", or "none".'
.format(mode))
if not isinstance(npix, int):
raise exceptions.SynphotError('npix={0} is invalid.'.format(npix))
if bins[0] > bins[-1]:
bins = bins[::-1]
if cenwave < bins[0] or cenwave > bins[-1]:
raise exceptions.OverlapError(
'cenwave={0} is not within binset (min={1}, max={2}).'.format(
cenwave, bins[0], bins[-1]))
diff = cenwave - bins
ind = np.argmin(np.abs(diff))
frac_ind = float(ind)
if diff[ind] < 0:
frac_ind += diff[ind] / (bins[ind] - bins[ind - 1])
elif diff[ind] > 0:
frac_ind += diff[ind] / (bins[ind + 1] - bins[ind])
half_npix = npix / 2.0
frac_ind1 = frac_ind - half_npix
frac_ind2 = frac_ind + half_npix
if frac_ind1 < -0.5:
raise exceptions.OverlapError(
'Lower limit of wavelength range is out of bounds.')
if frac_ind2 > bins.size - 0.5:
raise exceptions.OverlapError(
'Upper limit of wavelength range is out of bounds.')
frac1, int1 = np.modf(frac_ind1)
frac2, int2 = np.modf(frac_ind2)
int1 = int(int1)
int2 = int(int2)
if mode == 'round':
if frac1 >= 0:
wave1 = bins[int1:int1 + 2].mean()
else:
wave1 = bins[0] - (bins[0:2].mean() - bins[0])
if int2 < bins.shape[0] - 1:
wave2 = bins[int2:int2 + 2].mean()
else:
wave2 = bins[-1] + (bins[-1] - bins[-2:].mean())
elif mode == 'min':
if frac1 <= 0.5 and int1 < bins.shape[0] - 1:
wave1 = bins[int1:int1 + 2].mean()
elif frac1 > 0.5 and int1 < bins.shape[0] - 2:
wave1 = bins[int1 + 1:int1 + 3].mean()
elif frac1 == -0.5:
wave1 = bins[0] - (bins[0:2].mean() - bins[0])
else:
raise exceptions.SynphotError(
'mode={0} gets unexpected frac1={1}, int1={2}'.format(mode,
frac1, int1))
if frac2 >= 0.5 and int2 < bins.shape[0] - 1:
wave2 = bins[int2:int2 + 2].mean()
elif frac2 < 0.5 and int2 < bins.shape[0]:
wave2 = bins[int2 - 1:int2 + 1].mean()
elif frac2 == 0.5 and int2 == bins.shape[0] - 1:
wave2 = bins[-1] + (bins[-1] - bins[-2:].mean())
else:
raise exceptions.SynphotError(
'mode={0} gets unexpected frac2={1}, int2={2}'.format(mode,
frac2, int2))
elif mode == 'max':
if frac1 < 0.5 and int1 < bins.shape[0]:
wave1 = bins[int1 - 1:int1 + 1].mean()
elif frac1 >= 0.5 and int1 < bins.shape[0] - 1:
wave1 = bins[int1:int1 + 2].mean()
elif frac1 == -0.5:
wave1 = bins[0] - (bins[0:2].mean() - bins[0])
else:
raise exceptions.SynphotError(
'mode={0} gets unexpected frac1={1}, int1={2}'.format(mode,
frac1, int1))
if frac2 > 0.5 and int2 < bins.shape[0] - 2:
wave2 = bins[int2 + 1:int2 + 3].mean()
elif frac2 <= 0.5 and int2 < bins.shape[0] - 1:
wave2 = bins[int2:int2 + 2].mean()
elif frac2 == 0.5 and int2 == bins.shape[0] - 1:
wave2 = bins[-1] + (bins[-1] - bins[-2:].mean())
else:
raise exceptions.SynphotError(
'mode={0} gets unexpected frac2={1}, int2={2}'.format(mode,
frac2, int2))
else:
wave1 = bins[int1] + frac1 * (bins[int1 + 1] - bins[int1])
wave2 = bins[int2] + frac2 * (bins[int2 + 1] - bins[int2])
return wave1, wave2
|
wave_range
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bins, cenwave, npix, mode='round'):\n mode = mode.lower()\n if mode not in ('round', 'min', 'max', 'none'):\n raise exceptions.SynphotError(\n 'mode={0} is invalid, must be \"round\", \"min\", \"max\", or \"none\".'\n .format(mode))\n if not isinstance(npix, int):\n raise exceptions.SynphotError('npix={0} is invalid.'.format(npix))\n if bins[0] > bins[-1]:\n bins = bins[::-1]\n if cenwave < bins[0] or cenwave > bins[-1]:\n raise exceptions.OverlapError(\n 'cenwave={0} is not within binset (min={1}, max={2}).'.format(\n cenwave, bins[0], bins[-1]))\n diff = cenwave - bins\n ind = np.argmin(np.abs(diff))\n frac_ind = float(ind)\n if diff[ind] < 0:\n frac_ind += diff[ind] / (bins[ind] - bins[ind - 1])\n elif diff[ind] > 0:\n frac_ind += diff[ind] / (bins[ind + 1] - bins[ind])\n half_npix = npix / 2.0\n frac_ind1 = frac_ind - half_npix\n frac_ind2 = frac_ind + half_npix\n if frac_ind1 < -0.5:\n raise exceptions.OverlapError(\n 'Lower limit of wavelength range is out of bounds.')\n if frac_ind2 > bins.size - 0.5:\n raise exceptions.OverlapError(\n 'Upper limit of wavelength range is out of bounds.')\n frac1, int1 = np.modf(frac_ind1)\n frac2, int2 = np.modf(frac_ind2)\n int1 = int(int1)\n int2 = int(int2)\n if mode == 'round':\n if frac1 >= 0:\n wave1 = bins[int1:int1 + 2].mean()\n else:\n wave1 = bins[0] - (bins[0:2].mean() - bins[0])\n if int2 < bins.shape[0] - 1:\n wave2 = bins[int2:int2 + 2].mean()\n else:\n wave2 = bins[-1] + (bins[-1] - bins[-2:].mean())\n elif mode == 'min':\n if frac1 <= 0.5 and int1 < bins.shape[0] - 1:\n wave1 = bins[int1:int1 + 2].mean()\n elif frac1 > 0.5 and int1 < bins.shape[0] - 2:\n wave1 = bins[int1 + 1:int1 + 3].mean()\n elif frac1 == -0.5:\n wave1 = bins[0] - (bins[0:2].mean() - bins[0])\n else:\n raise exceptions.SynphotError(\n 'mode={0} gets unexpected frac1={1}, int1={2}'.format(mode,\n frac1, int1))\n if frac2 >= 0.5 and int2 < bins.shape[0] - 1:\n wave2 = bins[int2:int2 + 2].mean()\n elif frac2 < 0.5 and int2 < bins.shape[0]:\n wave2 = bins[int2 - 1:int2 + 1].mean()\n elif frac2 == 0.5 and int2 == bins.shape[0] - 1:\n wave2 = bins[-1] + (bins[-1] - bins[-2:].mean())\n else:\n raise exceptions.SynphotError(\n 'mode={0} gets unexpected frac2={1}, int2={2}'.format(mode,\n frac2, int2))\n elif mode == 'max':\n if frac1 < 0.5 and int1 < bins.shape[0]:\n wave1 = bins[int1 - 1:int1 + 1].mean()\n elif frac1 >= 0.5 and int1 < bins.shape[0] - 1:\n wave1 = bins[int1:int1 + 2].mean()\n elif frac1 == -0.5:\n wave1 = bins[0] - (bins[0:2].mean() - bins[0])\n else:\n raise exceptions.SynphotError(\n 'mode={0} gets unexpected frac1={1}, int1={2}'.format(mode,\n frac1, int1))\n if frac2 > 0.5 and int2 < bins.shape[0] - 2:\n wave2 = bins[int2 + 1:int2 + 3].mean()\n elif frac2 <= 0.5 and int2 < bins.shape[0] - 1:\n wave2 = bins[int2:int2 + 2].mean()\n elif frac2 == 0.5 and int2 == bins.shape[0] - 1:\n wave2 = bins[-1] + (bins[-1] - bins[-2:].mean())\n else:\n raise exceptions.SynphotError(\n 'mode={0} gets unexpected frac2={1}, int2={2}'.format(mode,\n frac2, int2))\n else:\n wave1 = bins[int1] + frac1 * (bins[int1 + 1] - bins[int1])\n wave2 = bins[int2] + frac2 * (bins[int2 + 1] - bins[int2])\n return wave1, wave2\n",
"role": "user"
},
{
"content": "wave_range",
"role": "assistant"
}
] |
def x(bins, waverange, mode='round'):
mode = mode.lower()
if mode not in ('round', 'min', 'max', 'none'):
raise exceptions.SynphotError(
'mode={0} is invalid, must be "round", "min", "max", or "none".'
.format(mode))
if waverange[0] < waverange[-1]:
wave1 = waverange[0]
wave2 = waverange[-1]
else:
wave1 = waverange[-1]
wave2 = waverange[0]
if bins[0] > bins[-1]:
bins = bins[::-1]
minwave = bins[0] - (bins[0:2].mean() - bins[0])
maxwave = bins[-1] + (bins[-1] - bins[-2:].mean())
if wave1 < minwave or wave2 > maxwave:
raise exceptions.OverlapError(
'Wavelength range ({0}, {1}) is out of bounds of bins (min={2}, max={3}).'
.format(wave1, wave2, minwave, maxwave))
if wave1 == wave2:
return 0
if mode == 'round':
ind1 = bins.searchsorted(wave1, side='right')
ind2 = bins.searchsorted(wave2, side='right')
else:
ind1 = bins.searchsorted(wave1, side='left')
ind2 = bins.searchsorted(wave2, side='left')
if mode == 'round':
npix = ind2 - ind1
elif mode == 'min':
frac = (bins[ind1] - wave1) / (bins[ind1] - bins[ind1 - 1])
if frac < 0.5:
ind1 += 1
frac = (wave2 - bins[ind2 - 1]) / (bins[ind2] - bins[ind2 - 1])
if frac < 0.5:
ind2 -= 1
npix = ind2 - ind1
elif mode == 'max':
frac = (wave1 - bins[ind1 - 1]) / (bins[ind1] - bins[ind1 - 1])
if frac < 0.5:
ind1 -= 1
frac = (bins[ind2] - wave2) / (bins[ind2] - bins[ind2 - 1])
if frac < 0.5:
ind2 += 1
npix = ind2 - ind1
else:
frac1 = ind1 - (bins[ind1] - wave1) / (bins[ind1] - bins[ind1 - 1])
frac2 = ind2 - (bins[ind2] - wave2) / (bins[ind2] - bins[ind2 - 1])
npix = frac2 - frac1
return npix
|
pixel_range
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bins, waverange, mode='round'):\n mode = mode.lower()\n if mode not in ('round', 'min', 'max', 'none'):\n raise exceptions.SynphotError(\n 'mode={0} is invalid, must be \"round\", \"min\", \"max\", or \"none\".'\n .format(mode))\n if waverange[0] < waverange[-1]:\n wave1 = waverange[0]\n wave2 = waverange[-1]\n else:\n wave1 = waverange[-1]\n wave2 = waverange[0]\n if bins[0] > bins[-1]:\n bins = bins[::-1]\n minwave = bins[0] - (bins[0:2].mean() - bins[0])\n maxwave = bins[-1] + (bins[-1] - bins[-2:].mean())\n if wave1 < minwave or wave2 > maxwave:\n raise exceptions.OverlapError(\n 'Wavelength range ({0}, {1}) is out of bounds of bins (min={2}, max={3}).'\n .format(wave1, wave2, minwave, maxwave))\n if wave1 == wave2:\n return 0\n if mode == 'round':\n ind1 = bins.searchsorted(wave1, side='right')\n ind2 = bins.searchsorted(wave2, side='right')\n else:\n ind1 = bins.searchsorted(wave1, side='left')\n ind2 = bins.searchsorted(wave2, side='left')\n if mode == 'round':\n npix = ind2 - ind1\n elif mode == 'min':\n frac = (bins[ind1] - wave1) / (bins[ind1] - bins[ind1 - 1])\n if frac < 0.5:\n ind1 += 1\n frac = (wave2 - bins[ind2 - 1]) / (bins[ind2] - bins[ind2 - 1])\n if frac < 0.5:\n ind2 -= 1\n npix = ind2 - ind1\n elif mode == 'max':\n frac = (wave1 - bins[ind1 - 1]) / (bins[ind1] - bins[ind1 - 1])\n if frac < 0.5:\n ind1 -= 1\n frac = (bins[ind2] - wave2) / (bins[ind2] - bins[ind2 - 1])\n if frac < 0.5:\n ind2 += 1\n npix = ind2 - ind1\n else:\n frac1 = ind1 - (bins[ind1] - wave1) / (bins[ind1] - bins[ind1 - 1])\n frac2 = ind2 - (bins[ind2] - wave2) / (bins[ind2] - bins[ind2 - 1])\n npix = frac2 - frac1\n return npix\n",
"role": "user"
},
{
"content": "pixel_range",
"role": "assistant"
}
] |
async def connect(self):
"""Connect to KLF 200."""
PYVLXLOG.warning('Connecting to KLF 200.')
await self.connection.connect()
login = Login(pyvlx=self, password=self.config.password)
await login.do_api_call()
if not login.success:
raise PyVLXException('Login to KLF 200 failed, check credentials')
|
connect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def connect(self):\n \"\"\"Connect to KLF 200.\"\"\"\n PYVLXLOG.warning('Connecting to KLF 200.')\n await self.connection.connect()\n login = Login(pyvlx=self, password=self.config.password)\n await login.do_api_call()\n if not login.success:\n raise PyVLXException('Login to KLF 200 failed, check credentials')\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
async def update_version(self):
"""Retrieve version and protocol version from API."""
get_version = GetVersion(pyvlx=self)
await get_version.do_api_call()
if not get_version.success:
raise PyVLXException('Unable to retrieve version')
self.version = get_version.version
get_protocol_version = GetProtocolVersion(pyvlx=self)
await get_protocol_version.do_api_call()
if not get_protocol_version.success:
raise PyVLXException('Unable to retrieve protocol version')
self.protocol_version = get_protocol_version.version
PYVLXLOG.warning('Connected to: %s, protocol version: %s', self.version,
self.protocol_version)
|
update_version
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def update_version(self):\n \"\"\"Retrieve version and protocol version from API.\"\"\"\n get_version = GetVersion(pyvlx=self)\n await get_version.do_api_call()\n if not get_version.success:\n raise PyVLXException('Unable to retrieve version')\n self.version = get_version.version\n get_protocol_version = GetProtocolVersion(pyvlx=self)\n await get_protocol_version.do_api_call()\n if not get_protocol_version.success:\n raise PyVLXException('Unable to retrieve protocol version')\n self.protocol_version = get_protocol_version.version\n PYVLXLOG.warning('Connected to: %s, protocol version: %s', self.version,\n self.protocol_version)\n",
"role": "user"
},
{
"content": "update_version",
"role": "assistant"
}
] |
async def send_frame(self, frame):
"""Send frame to API via connection."""
if not self.connection.connected:
await self.connect()
await self.update_version()
await set_utc(pyvlx=self)
await house_status_monitor_enable(pyvlx=self)
self.connection.write(frame)
|
send_frame
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def send_frame(self, frame):\n \"\"\"Send frame to API via connection.\"\"\"\n if not self.connection.connected:\n await self.connect()\n await self.update_version()\n await set_utc(pyvlx=self)\n await house_status_monitor_enable(pyvlx=self)\n self.connection.write(frame)\n",
"role": "user"
},
{
"content": "send_frame",
"role": "assistant"
}
] |
def x(cls, pyvlx, item):
name = item['name']
ident = item['id']
return cls(pyvlx, ident, name)
|
from_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, pyvlx, item):\n name = item['name']\n ident = item['id']\n return cls(pyvlx, ident, name)\n",
"role": "user"
},
{
"content": "from_config",
"role": "assistant"
}
] |
async def api_call(self, verb, action, params=None, add_authorization_token
=True, retry=False):
"""Send api call."""
if add_authorization_token and not self.token:
await self.refresh_token()
try:
return await self._api_call_impl(verb, action, params,
add_authorization_token)
except InvalidToken:
if not retry and add_authorization_token:
await self.refresh_token()
return await self.api_call(verb, action, params,
add_authorization_token, True)
raise
|
api_call
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def api_call(self, verb, action, params=None, add_authorization_token\n =True, retry=False):\n \"\"\"Send api call.\"\"\"\n if add_authorization_token and not self.token:\n await self.refresh_token()\n try:\n return await self._api_call_impl(verb, action, params,\n add_authorization_token)\n except InvalidToken:\n if not retry and add_authorization_token:\n await self.refresh_token()\n return await self.api_call(verb, action, params,\n add_authorization_token, True)\n raise\n",
"role": "user"
},
{
"content": "api_call",
"role": "assistant"
}
] |
async def refresh_token(self):
"""Refresh API token from KLF 200."""
json_response = await self.api_call('auth', 'login', {'password': self.
config.password}, add_authorization_token=False)
if 'token' not in json_response:
raise PyVLXException('no element token found in response: {0}'.
format(json.dumps(json_response)))
self.token = json_response['token']
|
refresh_token
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def refresh_token(self):\n \"\"\"Refresh API token from KLF 200.\"\"\"\n json_response = await self.api_call('auth', 'login', {'password': self.\n config.password}, add_authorization_token=False)\n if 'token' not in json_response:\n raise PyVLXException('no element token found in response: {0}'.\n format(json.dumps(json_response)))\n self.token = json_response['token']\n",
"role": "user"
},
{
"content": "refresh_token",
"role": "assistant"
}
] |
def x(action, params):
body = {}
body['action'] = action
if params is not None:
body['params'] = params
return body
|
create_body
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(action, params):\n body = {}\n body['action'] = action\n if params is not None:\n body['params'] = params\n return body\n",
"role": "user"
},
{
"content": "create_body",
"role": "assistant"
}
] |
def x(json_response):
if 'errors' in json_response and json_response['errors']:
Interface.evaluate_errors(json_response)
elif 'result' not in json_response:
raise PyVLXException('no element result found in response: {0}'.
format(json.dumps(json_response)))
elif not json_response['result']:
raise PyVLXException('Request failed {0}'.format(json.dumps(
json_response)))
|
evaluate_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(json_response):\n if 'errors' in json_response and json_response['errors']:\n Interface.evaluate_errors(json_response)\n elif 'result' not in json_response:\n raise PyVLXException('no element result found in response: {0}'.\n format(json.dumps(json_response)))\n elif not json_response['result']:\n raise PyVLXException('Request failed {0}'.format(json.dumps(\n json_response)))\n",
"role": "user"
},
{
"content": "evaluate_response",
"role": "assistant"
}
] |
def x(json_response):
if 'errors' not in json_response or not isinstance(json_response[
'errors'], list) or not json_response['errors'] or not isinstance(
json_response['errors'][0], int):
raise PyVLXException('Could not evaluate errors {0}'.format(json.
dumps(json_response)))
first_error = json_response['errors'][0]
if first_error in [402, 403, 405, 406]:
raise InvalidToken(first_error)
raise PyVLXException('Unknown error code {0}'.format(first_error))
|
evaluate_errors
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(json_response):\n if 'errors' not in json_response or not isinstance(json_response[\n 'errors'], list) or not json_response['errors'] or not isinstance(\n json_response['errors'][0], int):\n raise PyVLXException('Could not evaluate errors {0}'.format(json.\n dumps(json_response)))\n first_error = json_response['errors'][0]\n if first_error in [402, 403, 405, 406]:\n raise InvalidToken(first_error)\n raise PyVLXException('Unknown error code {0}'.format(first_error))\n",
"role": "user"
},
{
"content": "evaluate_errors",
"role": "assistant"
}
] |
def x(self):
ret = bytes([self.node_id])
ret += string_to_bytes(self.name, 64)
return ret
|
get_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ret = bytes([self.node_id])\n ret += string_to_bytes(self.name, 64)\n return ret\n",
"role": "user"
},
{
"content": "get_payload",
"role": "assistant"
}
] |
def x(self, payload):
self.node_id = payload[0]
self.name = bytes_to_string(payload[1:65])
|
from_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, payload):\n self.node_id = payload[0]\n self.name = bytes_to_string(payload[1:65])\n",
"role": "user"
},
{
"content": "from_payload",
"role": "assistant"
}
] |
def x(self, payload):
self.status = SetNodeNameConfirmationStatus(payload[0])
self.node_id = payload[1]
|
from_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, payload):\n self.status = SetNodeNameConfirmationStatus(payload[0])\n self.node_id = payload[1]\n",
"role": "user"
},
{
"content": "from_payload",
"role": "assistant"
}
] |
def x(pyvlx, frame):
if frame.node_type == NodeTypeWithSubtype.WINDOW_OPENER:
return Window(pyvlx=pyvlx, node_id=frame.node_id, name=frame.name,
rain_sensor=False)
if frame.node_type == NodeTypeWithSubtype.WINDOW_OPENER_WITH_RAIN_SENSOR:
return Window(pyvlx=pyvlx, node_id=frame.node_id, name=frame.name,
rain_sensor=True)
if (frame.node_type == NodeTypeWithSubtype.ROLLER_SHUTTER or frame.
node_type == NodeTypeWithSubtype.DUAL_ROLLER_SHUTTER):
return RollerShutter(pyvlx=pyvlx, node_id=frame.node_id, name=frame
.name)
if (frame.node_type == NodeTypeWithSubtype.INTERIOR_VENETIAN_BLIND or
frame.node_type == NodeTypeWithSubtype.VERTICAL_INTERIOR_BLINDS or
frame.node_type == NodeTypeWithSubtype.EXTERIOR_VENETIAN_BLIND or
frame.node_type == NodeTypeWithSubtype.LOUVER_BLIND):
return Blind(pyvlx=pyvlx, node_id=frame.node_id, name=frame.name)
if (frame.node_type == NodeTypeWithSubtype.VERTICAL_EXTERIOR_AWNING or
frame.node_type == NodeTypeWithSubtype.HORIZONTAL_AWNING):
return Awning(pyvlx=pyvlx, node_id=frame.node_id, name=frame.name)
if frame.node_type == NodeTypeWithSubtype.ON_OFF_SWITCH:
return OnOffSwitch(pyvlx=pyvlx, node_id=frame.node_id, name=frame.name)
PYVLXLOG.warning('%s not implemented', frame.node_type)
return None
|
convert_frame_to_node
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pyvlx, frame):\n if frame.node_type == NodeTypeWithSubtype.WINDOW_OPENER:\n return Window(pyvlx=pyvlx, node_id=frame.node_id, name=frame.name,\n rain_sensor=False)\n if frame.node_type == NodeTypeWithSubtype.WINDOW_OPENER_WITH_RAIN_SENSOR:\n return Window(pyvlx=pyvlx, node_id=frame.node_id, name=frame.name,\n rain_sensor=True)\n if (frame.node_type == NodeTypeWithSubtype.ROLLER_SHUTTER or frame.\n node_type == NodeTypeWithSubtype.DUAL_ROLLER_SHUTTER):\n return RollerShutter(pyvlx=pyvlx, node_id=frame.node_id, name=frame\n .name)\n if (frame.node_type == NodeTypeWithSubtype.INTERIOR_VENETIAN_BLIND or \n frame.node_type == NodeTypeWithSubtype.VERTICAL_INTERIOR_BLINDS or \n frame.node_type == NodeTypeWithSubtype.EXTERIOR_VENETIAN_BLIND or \n frame.node_type == NodeTypeWithSubtype.LOUVER_BLIND):\n return Blind(pyvlx=pyvlx, node_id=frame.node_id, name=frame.name)\n if (frame.node_type == NodeTypeWithSubtype.VERTICAL_EXTERIOR_AWNING or \n frame.node_type == NodeTypeWithSubtype.HORIZONTAL_AWNING):\n return Awning(pyvlx=pyvlx, node_id=frame.node_id, name=frame.name)\n if frame.node_type == NodeTypeWithSubtype.ON_OFF_SWITCH:\n return OnOffSwitch(pyvlx=pyvlx, node_id=frame.node_id, name=frame.name)\n PYVLXLOG.warning('%s not implemented', frame.node_type)\n return None\n",
"role": "user"
},
{
"content": "convert_frame_to_node",
"role": "assistant"
}
] |
def x(self, what):
self._temperature = units.validate_quantity(what, u.K)
|
temperature
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, what):\n self._temperature = units.validate_quantity(what, u.K)\n",
"role": "user"
},
{
"content": "temperature",
"role": "assistant"
}
] |
def x(self):
sp = SourceSpectrum(BlackBody1D, temperature=self.temperature
) * units.SR_PER_ARCSEC2 * self.beam_fill_factor * self
sp.meta['temperature'] = self.temperature
sp.meta['beam_fill_factor'] = self.beam_fill_factor
return sp
|
thermal_source
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n sp = SourceSpectrum(BlackBody1D, temperature=self.temperature\n ) * units.SR_PER_ARCSEC2 * self.beam_fill_factor * self\n sp.meta['temperature'] = self.temperature\n sp.meta['beam_fill_factor'] = self.beam_fill_factor\n return sp\n",
"role": "user"
},
{
"content": "thermal_source",
"role": "assistant"
}
] |
def x(cls, filename, temperature_key='DEFT', beamfill_key='BEAMFILL', **kwargs
):
if not (filename.endswith('fits') or filename.endswith('fit')):
raise exceptions.SynphotError('Only FITS format is supported.')
ext = kwargs.get('ext', 1)
tab_hdr = fits.getheader(filename, ext=ext)
temperature = tab_hdr.get(temperature_key)
if temperature is None:
raise exceptions.SynphotError('Missing {0} keyword.'.format(
temperature_key))
beam_fill_factor = tab_hdr.get('BEAMFILL', 1)
if 'flux_unit' not in kwargs:
kwargs['flux_unit'] = cls._internal_flux_unit
if 'flux_col' not in kwargs:
kwargs['flux_col'] = 'EMISSIVITY'
header, wavelengths, em = specio.read_spec(filename, **kwargs)
return cls(Empirical1D, temperature, beam_fill_factor=beam_fill_factor,
points=wavelengths, lookup_table=em, meta={'header': header})
|
from_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, filename, temperature_key='DEFT', beamfill_key='BEAMFILL', **kwargs\n ):\n if not (filename.endswith('fits') or filename.endswith('fit')):\n raise exceptions.SynphotError('Only FITS format is supported.')\n ext = kwargs.get('ext', 1)\n tab_hdr = fits.getheader(filename, ext=ext)\n temperature = tab_hdr.get(temperature_key)\n if temperature is None:\n raise exceptions.SynphotError('Missing {0} keyword.'.format(\n temperature_key))\n beam_fill_factor = tab_hdr.get('BEAMFILL', 1)\n if 'flux_unit' not in kwargs:\n kwargs['flux_unit'] = cls._internal_flux_unit\n if 'flux_col' not in kwargs:\n kwargs['flux_col'] = 'EMISSIVITY'\n header, wavelengths, em = specio.read_spec(filename, **kwargs)\n return cls(Empirical1D, temperature, beam_fill_factor=beam_fill_factor,\n points=wavelengths, lookup_table=em, meta={'header': header})\n",
"role": "user"
},
{
"content": "from_file",
"role": "assistant"
}
] |
def x(self, payload):
self.status = AllNodesInformationStatus(payload[0])
self.number_of_nodes = payload[1]
|
from_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, payload):\n self.status = AllNodesInformationStatus(payload[0])\n self.number_of_nodes = payload[1]\n",
"role": "user"
},
{
"content": "from_payload",
"role": "assistant"
}
] |
def x(self):
payload = bytes()
payload += bytes([self.node_id])
payload += bytes([self.order >> 8 & 255, self.order & 255])
payload += bytes([self.placement])
payload += bytes(string_to_bytes(self.name, 64))
payload += bytes([self.velocity.value])
payload += bytes([self.node_type.value >> 8 & 255, self.node_type.value &
255])
payload += bytes([self.product_group])
payload += bytes([self.product_type])
payload += bytes([self.node_variation.value])
payload += bytes([self.power_mode])
payload += bytes([self.build_number])
payload += bytes(self._serial_number)
payload += bytes([self.state])
payload += bytes(self.current_position.raw)
payload += bytes(self.target.raw)
payload += bytes(self.current_position_fp1.raw)
payload += bytes(self.current_position_fp2.raw)
payload += bytes(self.current_position_fp3.raw)
payload += bytes(self.current_position_fp4.raw)
payload += bytes([self.remaining_time >> 8 & 255, self.remaining_time &
255])
payload += struct.pack('>I', self.timestamp)
payload += bytes(self.alias_array)
return payload
|
get_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n payload = bytes()\n payload += bytes([self.node_id])\n payload += bytes([self.order >> 8 & 255, self.order & 255])\n payload += bytes([self.placement])\n payload += bytes(string_to_bytes(self.name, 64))\n payload += bytes([self.velocity.value])\n payload += bytes([self.node_type.value >> 8 & 255, self.node_type.value &\n 255])\n payload += bytes([self.product_group])\n payload += bytes([self.product_type])\n payload += bytes([self.node_variation.value])\n payload += bytes([self.power_mode])\n payload += bytes([self.build_number])\n payload += bytes(self._serial_number)\n payload += bytes([self.state])\n payload += bytes(self.current_position.raw)\n payload += bytes(self.target.raw)\n payload += bytes(self.current_position_fp1.raw)\n payload += bytes(self.current_position_fp2.raw)\n payload += bytes(self.current_position_fp3.raw)\n payload += bytes(self.current_position_fp4.raw)\n payload += bytes([self.remaining_time >> 8 & 255, self.remaining_time &\n 255])\n payload += struct.pack('>I', self.timestamp)\n payload += bytes(self.alias_array)\n return payload\n",
"role": "user"
},
{
"content": "get_payload",
"role": "assistant"
}
] |
def x(self, payload):
self.node_id = payload[0]
self.order = payload[1] * 256 + payload[2]
self.placement = payload[3]
self.name = bytes_to_string(payload[4:68])
self.velocity = Velocity(payload[68])
self.node_type = NodeTypeWithSubtype(payload[69] * 256 + payload[70])
self.product_group = payload[71]
self.product_type = payload[72]
self.node_variation = NodeVariation(payload[73])
self.power_mode = payload[74]
self.build_number = payload[75]
self._serial_number = payload[76:84]
self.state = payload[84]
self.current_position = Parameter(payload[85:87])
self.target = Parameter(payload[87:89])
self.current_position_fp1 = Parameter(payload[89:91])
self.current_position_fp2 = Parameter(payload[91:93])
self.current_position_fp3 = Parameter(payload[93:95])
self.current_position_fp4 = Parameter(payload[95:97])
self.remaining_time = payload[97] * 256 + payload[98]
self.timestamp = struct.unpack('>I', payload[99:103])[0]
self.alias_array = AliasArray(payload[103:125])
|
from_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, payload):\n self.node_id = payload[0]\n self.order = payload[1] * 256 + payload[2]\n self.placement = payload[3]\n self.name = bytes_to_string(payload[4:68])\n self.velocity = Velocity(payload[68])\n self.node_type = NodeTypeWithSubtype(payload[69] * 256 + payload[70])\n self.product_group = payload[71]\n self.product_type = payload[72]\n self.node_variation = NodeVariation(payload[73])\n self.power_mode = payload[74]\n self.build_number = payload[75]\n self._serial_number = payload[76:84]\n self.state = payload[84]\n self.current_position = Parameter(payload[85:87])\n self.target = Parameter(payload[87:89])\n self.current_position_fp1 = Parameter(payload[89:91])\n self.current_position_fp2 = Parameter(payload[91:93])\n self.current_position_fp3 = Parameter(payload[93:95])\n self.current_position_fp4 = Parameter(payload[95:97])\n self.remaining_time = payload[97] * 256 + payload[98]\n self.timestamp = struct.unpack('>I', payload[99:103])[0]\n self.alias_array = AliasArray(payload[103:125])\n",
"role": "user"
},
{
"content": "from_payload",
"role": "assistant"
}
] |
def x(self, parameter):
if not isinstance(parameter, Parameter):
raise Exception('parameter::from_parameter_wrong_object')
self.raw = parameter.raw
|
from_parameter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parameter):\n if not isinstance(parameter, Parameter):\n raise Exception('parameter::from_parameter_wrong_object')\n self.raw = parameter.raw\n",
"role": "user"
},
{
"content": "from_parameter",
"role": "assistant"
}
] |
def x(value):
if not isinstance(value, int):
raise PyVLXException('value_has_to_be_int')
if not Parameter.is_valid_int(value):
raise PyVLXException('value_out_of_range')
return bytes([value >> 8 & 255, value & 255])
|
from_int
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n if not isinstance(value, int):\n raise PyVLXException('value_has_to_be_int')\n if not Parameter.is_valid_int(value):\n raise PyVLXException('value_out_of_range')\n return bytes([value >> 8 & 255, value & 255])\n",
"role": "user"
},
{
"content": "from_int",
"role": "assistant"
}
] |
def x(value):
if 0 <= value <= Parameter.MAX:
return True
if value == Parameter.UNKNOWN_VALUE:
return True
if value == Parameter.CURRENT_POSITION:
return True
return False
|
is_valid_int
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n if 0 <= value <= Parameter.MAX:\n return True\n if value == Parameter.UNKNOWN_VALUE:\n return True\n if value == Parameter.CURRENT_POSITION:\n return True\n return False\n",
"role": "user"
},
{
"content": "is_valid_int",
"role": "assistant"
}
] |
def x(raw):
if not isinstance(raw, bytes):
raise PyVLXException('Position::raw_must_be_bytes')
if len(raw) != 2:
raise PyVLXException('Position::raw_must_be_two_bytes')
if raw != Position.from_int(Position.CURRENT_POSITION
) and raw != Position.from_int(Position.UNKNOWN_VALUE
) and Position.to_int(raw) > Position.MAX:
raise PyVLXException('position::raw_exceed_limit', raw=raw)
return raw
|
from_raw
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw):\n if not isinstance(raw, bytes):\n raise PyVLXException('Position::raw_must_be_bytes')\n if len(raw) != 2:\n raise PyVLXException('Position::raw_must_be_two_bytes')\n if raw != Position.from_int(Position.CURRENT_POSITION\n ) and raw != Position.from_int(Position.UNKNOWN_VALUE\n ) and Position.to_int(raw) > Position.MAX:\n raise PyVLXException('position::raw_exceed_limit', raw=raw)\n return raw\n",
"role": "user"
},
{
"content": "from_raw",
"role": "assistant"
}
] |
def x(position_percent):
if not isinstance(position_percent, int):
raise PyVLXException('Position::position_percent_has_to_be_int')
if position_percent < 0:
raise PyVLXException('Position::position_percent_has_to_be_positive')
if position_percent > 100:
raise PyVLXException('Position::position_percent_out_of_range')
return bytes([position_percent * 2, 0])
|
from_percent
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(position_percent):\n if not isinstance(position_percent, int):\n raise PyVLXException('Position::position_percent_has_to_be_int')\n if position_percent < 0:\n raise PyVLXException('Position::position_percent_has_to_be_positive')\n if position_percent > 100:\n raise PyVLXException('Position::position_percent_out_of_range')\n return bytes([position_percent * 2, 0])\n",
"role": "user"
},
{
"content": "from_percent",
"role": "assistant"
}
] |
def x(self):
if self.product_group == 14 and self.product_type == 3:
return 'KLF 200'
return 'Unknown Product: {}:{}'.format(self.product_group, self.
product_type)
|
product
|
[
{
"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.product_group == 14 and self.product_type == 3:\n return 'KLF 200'\n return 'Unknown Product: {}:{}'.format(self.product_group, self.\n product_type)\n",
"role": "user"
},
{
"content": "product",
"role": "assistant"
}
] |
def x(self):
ret = self._software_version
ret += bytes([self.hardware_version, self.product_group, self.product_type]
)
return ret
|
get_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ret = self._software_version\n ret += bytes([self.hardware_version, self.product_group, self.product_type]\n )\n return ret\n",
"role": "user"
},
{
"content": "get_payload",
"role": "assistant"
}
] |
def x(self, payload):
self._software_version = payload[0:6]
self.hardware_version = payload[6]
self.product_group = payload[7]
self.product_type = payload[8]
|
from_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, payload):\n self._software_version = payload[0:6]\n self.hardware_version = payload[6]\n self.product_group = payload[7]\n self.product_type = payload[8]\n",
"role": "user"
},
{
"content": "from_payload",
"role": "assistant"
}
] |
def x(self):
ret = bytes([self.session_id >> 8 & 255, self.session_id & 255])
ret += bytes([self.originator.value])
ret += bytes([self.priority.value])
ret += bytes([self.scene_id])
ret += bytes([self.velocity.value])
return ret
|
get_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ret = bytes([self.session_id >> 8 & 255, self.session_id & 255])\n ret += bytes([self.originator.value])\n ret += bytes([self.priority.value])\n ret += bytes([self.scene_id])\n ret += bytes([self.velocity.value])\n return ret\n",
"role": "user"
},
{
"content": "get_payload",
"role": "assistant"
}
] |
def x(self, payload):
self.session_id = payload[0] * 256 + payload[1]
self.originator = Originator(payload[2])
self.priority = Priority(payload[3])
self.scene_id = payload[4]
self.velocity = Velocity(payload[5])
|
from_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, payload):\n self.session_id = payload[0] * 256 + payload[1]\n self.originator = Originator(payload[2])\n self.priority = Priority(payload[3])\n self.scene_id = payload[4]\n self.velocity = Velocity(payload[5])\n",
"role": "user"
},
{
"content": "from_payload",
"role": "assistant"
}
] |
def x(self):
ret = bytes([self.status.value])
ret += bytes([self.session_id >> 8 & 255, self.session_id & 255])
return ret
|
get_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ret = bytes([self.status.value])\n ret += bytes([self.session_id >> 8 & 255, self.session_id & 255])\n return ret\n",
"role": "user"
},
{
"content": "get_payload",
"role": "assistant"
}
] |
def x(self, payload):
self.status = ActivateSceneConfirmationStatus(payload[0])
self.session_id = payload[1] * 256 + payload[2]
|
from_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, payload):\n self.status = ActivateSceneConfirmationStatus(payload[0])\n self.session_id = payload[1] * 256 + payload[2]\n",
"role": "user"
},
{
"content": "from_payload",
"role": "assistant"
}
] |
def x(self):
ret = bytes([self.session_id >> 8 & 255, self.session_id & 255])
ret += bytes([self.originator.value])
ret += bytes([self.priority.value])
ret += bytes([0])
ret += bytes([0])
ret += bytes([0])
ret += bytes(self.parameter)
ret += bytes(32)
ret += bytes([len(self.node_ids)])
ret += bytes(self.node_ids) + bytes(20 - len(self.node_ids))
ret += bytes([0])
ret += bytes([0, 0])
ret += bytes([0])
return ret
|
get_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ret = bytes([self.session_id >> 8 & 255, self.session_id & 255])\n ret += bytes([self.originator.value])\n ret += bytes([self.priority.value])\n ret += bytes([0])\n ret += bytes([0])\n ret += bytes([0])\n ret += bytes(self.parameter)\n ret += bytes(32)\n ret += bytes([len(self.node_ids)])\n ret += bytes(self.node_ids) + bytes(20 - len(self.node_ids))\n ret += bytes([0])\n ret += bytes([0, 0])\n ret += bytes([0])\n return ret\n",
"role": "user"
},
{
"content": "get_payload",
"role": "assistant"
}
] |
def x(self, payload):
self.session_id = payload[0] * 256 + payload[1]
self.originator = Originator(payload[2])
self.priority = Priority(payload[3])
len_node_ids = payload[41]
if len_node_ids > 20:
raise PyVLXException('command_send_request_wrong_node_length')
self.node_ids = []
for i in range(len_node_ids):
self.node_ids.append(payload[42] + i)
self.parameter = Parameter(payload[7:9])
|
from_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, payload):\n self.session_id = payload[0] * 256 + payload[1]\n self.originator = Originator(payload[2])\n self.priority = Priority(payload[3])\n len_node_ids = payload[41]\n if len_node_ids > 20:\n raise PyVLXException('command_send_request_wrong_node_length')\n self.node_ids = []\n for i in range(len_node_ids):\n self.node_ids.append(payload[42] + i)\n self.parameter = Parameter(payload[7:9])\n",
"role": "user"
},
{
"content": "from_payload",
"role": "assistant"
}
] |
def x(self, payload):
self.session_id = payload[0] * 256 + payload[1]
self.status = CommandSendConfirmationStatus(payload[2])
|
from_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, payload):\n self.session_id = payload[0] * 256 + payload[1]\n self.status = CommandSendConfirmationStatus(payload[2])\n",
"role": "user"
},
{
"content": "from_payload",
"role": "assistant"
}
] |
def x(self):
ret = bytes([self.session_id >> 8 & 255, self.session_id & 255])
ret += bytes([self.status_id])
ret += bytes([self.index_id])
ret += bytes([self.node_parameter])
ret += bytes([self.parameter_value >> 8 & 255, self.parameter_value & 255])
ret += bytes(6)
return ret
|
get_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ret = bytes([self.session_id >> 8 & 255, self.session_id & 255])\n ret += bytes([self.status_id])\n ret += bytes([self.index_id])\n ret += bytes([self.node_parameter])\n ret += bytes([self.parameter_value >> 8 & 255, self.parameter_value & 255])\n ret += bytes(6)\n return ret\n",
"role": "user"
},
{
"content": "get_payload",
"role": "assistant"
}
] |
def x(self, payload):
self.session_id = payload[0] * 256 + payload[1]
self.status_id = payload[2]
self.index_id = payload[3]
self.node_parameter = payload[4]
self.parameter_value = payload[5] * 256 + payload[6]
|
from_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, payload):\n self.session_id = payload[0] * 256 + payload[1]\n self.status_id = payload[2]\n self.index_id = payload[3]\n self.node_parameter = payload[4]\n self.parameter_value = payload[5] * 256 + payload[6]\n",
"role": "user"
},
{
"content": "from_payload",
"role": "assistant"
}
] |
def x(self):
ret = bytes([self.session_id >> 8 & 255, self.session_id & 255])
ret += bytes([self.index_id])
ret += bytes([self.node_parameter])
ret += bytes([self.seconds >> 8 & 255, self.seconds & 255])
return ret
|
get_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ret = bytes([self.session_id >> 8 & 255, self.session_id & 255])\n ret += bytes([self.index_id])\n ret += bytes([self.node_parameter])\n ret += bytes([self.seconds >> 8 & 255, self.seconds & 255])\n return ret\n",
"role": "user"
},
{
"content": "get_payload",
"role": "assistant"
}
] |
def x(self, payload):
self.session_id = payload[0] * 256 + payload[1]
self.index_id = payload[2]
self.node_parameter = payload[3]
self.seconds = payload[4] * 256 + payload[5]
|
from_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, payload):\n self.session_id = payload[0] * 256 + payload[1]\n self.index_id = payload[2]\n self.node_parameter = payload[3]\n self.seconds = payload[4] * 256 + payload[5]\n",
"role": "user"
},
{
"content": "from_payload",
"role": "assistant"
}
] |
async def main(loop):
"""Log packets from Bus."""
PYVLXLOG.setLevel(logging.DEBUG)
stream_handler = logging.StreamHandler()
stream_handler.setLevel(logging.DEBUG)
PYVLXLOG.addHandler(stream_handler)
pyvlx = PyVLX('pyvlx.yaml', loop=loop)
await pyvlx.load_scenes()
await pyvlx.load_nodes()
await asyncio.sleep(90)
await pyvlx.disconnect()
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def main(loop):\n \"\"\"Log packets from Bus.\"\"\"\n PYVLXLOG.setLevel(logging.DEBUG)\n stream_handler = logging.StreamHandler()\n stream_handler.setLevel(logging.DEBUG)\n PYVLXLOG.addHandler(stream_handler)\n pyvlx = PyVLX('pyvlx.yaml', loop=loop)\n await pyvlx.load_scenes()\n await pyvlx.load_nodes()\n await asyncio.sleep(90)\n await pyvlx.disconnect()\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
async def rename(self, name):
"""Change name of node."""
set_node_name = SetNodeName(pyvlx=self.pyvlx, node_id=self.node_id,
name=name)
await set_node_name.do_api_call()
if not set_node_name.success:
raise PyVLXException('Unable to rename node')
self.name = name
|
rename
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def rename(self, name):\n \"\"\"Change name of node.\"\"\"\n set_node_name = SetNodeName(pyvlx=self.pyvlx, node_id=self.node_id,\n name=name)\n await set_node_name.do_api_call()\n if not set_node_name.success:\n raise PyVLXException('Unable to rename node')\n self.name = name\n",
"role": "user"
},
{
"content": "rename",
"role": "assistant"
}
] |
async def set_position(self, position, wait_for_completion=True):
"""Set window to desired position.
Parameters:
* position: Position object containing the target position.
* wait_for_completion: If set, function will return
after device has reached target position.
"""
command_send = CommandSend(pyvlx=self.pyvlx, wait_for_completion=
wait_for_completion, node_id=self.node_id, parameter=position)
await command_send.do_api_call()
if not command_send.success:
raise PyVLXException('Unable to send command')
await self.after_update()
|
set_position
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def set_position(self, position, wait_for_completion=True):\n \"\"\"Set window to desired position.\n\n Parameters:\n * position: Position object containing the target position.\n * wait_for_completion: If set, function will return\n after device has reached target position.\n\n \"\"\"\n command_send = CommandSend(pyvlx=self.pyvlx, wait_for_completion=\n wait_for_completion, node_id=self.node_id, parameter=position)\n await command_send.do_api_call()\n if not command_send.success:\n raise PyVLXException('Unable to send command')\n await self.after_update()\n",
"role": "user"
},
{
"content": "set_position",
"role": "assistant"
}
] |
async def open(self, wait_for_completion=True):
"""Open window.
Parameters:
* wait_for_completion: If set, function will return
after device has reached target position.
"""
await self.set_position(position=Position(position_percent=0),
wait_for_completion=wait_for_completion)
|
open
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def open(self, wait_for_completion=True):\n \"\"\"Open window.\n\n Parameters:\n * wait_for_completion: If set, function will return\n after device has reached target position.\n\n \"\"\"\n await self.set_position(position=Position(position_percent=0),\n wait_for_completion=wait_for_completion)\n",
"role": "user"
},
{
"content": "open",
"role": "assistant"
}
] |
async def close(self, wait_for_completion=True):
"""Close window.
Parameters:
* wait_for_completion: If set, function will return
after device has reached target position.
"""
await self.set_position(position=Position(position_percent=100),
wait_for_completion=wait_for_completion)
|
close
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def close(self, wait_for_completion=True):\n \"\"\"Close window.\n\n Parameters:\n * wait_for_completion: If set, function will return\n after device has reached target position.\n\n \"\"\"\n await self.set_position(position=Position(position_percent=100),\n wait_for_completion=wait_for_completion)\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
] |
async def stop(self, wait_for_completion=True):
"""Stop window.
Parameters:
* wait_for_completion: If set, function will return
after device has reached target position.
"""
await self.set_position(position=CurrentPosition(), wait_for_completion
=wait_for_completion)
|
stop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def stop(self, wait_for_completion=True):\n \"\"\"Stop window.\n\n Parameters:\n * wait_for_completion: If set, function will return\n after device has reached target position.\n\n \"\"\"\n await self.set_position(position=CurrentPosition(), wait_for_completion\n =wait_for_completion)\n",
"role": "user"
},
{
"content": "stop",
"role": "assistant"
}
] |
def x(model):
if isinstance(model, Model):
if hasattr(model, 'sampleset'):
w = model.sampleset()
else:
w = None
else:
w = model
return w
|
get_sampleset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model):\n if isinstance(model, Model):\n if hasattr(model, 'sampleset'):\n w = model.sampleset()\n else:\n w = None\n else:\n w = model\n return w\n",
"role": "user"
},
{
"content": "get_sampleset",
"role": "assistant"
}
] |
def x(model1, model2):
w1 = _get_sampleset(model1)
w2 = _get_sampleset(model2)
return merge_wavelengths(w1, w2)
|
merge_sampleset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model1, model2):\n w1 = _get_sampleset(model1)\n w2 = _get_sampleset(model2)\n return merge_wavelengths(w1, w2)\n",
"role": "user"
},
{
"content": "merge_sampleset",
"role": "assistant"
}
] |
def x(model1, model2):
if isinstance(model1, _models.RedshiftScaleFactor):
val = _get_sampleset(model2)
if val is None:
w = val
else:
w = model1.inverse(val)
elif isinstance(model1, _models.Scale):
w = _get_sampleset(model2)
else:
w = _get_sampleset(model1)
return w
|
shift_wavelengths
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model1, model2):\n if isinstance(model1, _models.RedshiftScaleFactor):\n val = _get_sampleset(model2)\n if val is None:\n w = val\n else:\n w = model1.inverse(val)\n elif isinstance(model1, _models.Scale):\n w = _get_sampleset(model2)\n else:\n w = _get_sampleset(model1)\n return w\n",
"role": "user"
},
{
"content": "shift_wavelengths",
"role": "assistant"
}
] |
def x(model):
if not isinstance(model, Model):
raise SynphotError('{0} is not a model.'.format(model))
if isinstance(model, _CompoundModel):
waveset = model._tree.evaluate(WAVESET_OPERATORS, getter=None)
else:
waveset = _get_sampleset(model)
return waveset
|
get_waveset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model):\n if not isinstance(model, Model):\n raise SynphotError('{0} is not a model.'.format(model))\n if isinstance(model, _CompoundModel):\n waveset = model._tree.evaluate(WAVESET_OPERATORS, getter=None)\n else:\n waveset = _get_sampleset(model)\n return waveset\n",
"role": "user"
},
{
"content": "get_waveset",
"role": "assistant"
}
] |
def x(model):
if isinstance(model, Model):
w = model.meta
else:
w = model
return w
|
get_meta
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model):\n if isinstance(model, Model):\n w = model.meta\n else:\n w = model\n return w\n",
"role": "user"
},
{
"content": "get_meta",
"role": "assistant"
}
] |
def x(model1, model2):
w1 = _get_meta(model1)
w2 = _get_meta(model2)
return metadata.merge(w1, w2, metadata_conflicts='silent')
|
merge_meta
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model1, model2):\n w1 = _get_meta(model1)\n w2 = _get_meta(model2)\n return metadata.merge(w1, w2, metadata_conflicts='silent')\n",
"role": "user"
},
{
"content": "merge_meta",
"role": "assistant"
}
] |
def x(model):
if not isinstance(model, Model):
raise SynphotError('{0} is not a model.'.format(model))
if isinstance(model, _CompoundModel):
metadata = model._tree.evaluate(METADATA_OPERATORS, getter=None)
else:
metadata = deepcopy(model.meta)
return metadata
|
get_metadata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model):\n if not isinstance(model, Model):\n raise SynphotError('{0} is not a model.'.format(model))\n if isinstance(model, _CompoundModel):\n metadata = model._tree.evaluate(METADATA_OPERATORS, getter=None)\n else:\n metadata = deepcopy(model.meta)\n return metadata\n",
"role": "user"
},
{
"content": "get_metadata",
"role": "assistant"
}
] |
def x(self):
return (const.b_wien.value / self.temperature * u.m).to(u.AA).value
|
lambda_max
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return (const.b_wien.value / self.temperature * u.m).to(u.AA).value\n",
"role": "user"
},
{
"content": "lambda_max",
"role": "assistant"
}
] |
def x(self, factor=10.0):
w0 = self.lambda_max
return w0 * 0, np.log10(w0 + factor * w0)
|
bounding_box
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, factor=10.0):\n w0 = self.lambda_max\n return w0 * 0, np.log10(w0 + factor * w0)\n",
"role": "user"
},
{
"content": "bounding_box",
"role": "assistant"
}
] |
def x(self, factor_bbox=10.0, num=1000):
w1, w2 = self.bounding_box(factor=factor_bbox)
if self._n_models == 1:
w = np.logspace(w1, w2, num)
else:
w = list(map(partial(np.logspace, num=num), w1, w2))
return np.asarray(w)
|
sampleset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, factor_bbox=10.0, num=1000):\n w1, w2 = self.bounding_box(factor=factor_bbox)\n if self._n_models == 1:\n w = np.logspace(w1, w2, num)\n else:\n w = list(map(partial(np.logspace, num=num), w1, w2))\n return np.asarray(w)\n",
"role": "user"
},
{
"content": "sampleset",
"role": "assistant"
}
] |
def x(x, temperature):
if ASTROPY_LT_2_0:
from astropy.analytic_functions.blackbody import blackbody_nu
else:
from astropy.modeling.blackbody import blackbody_nu
old_np_err_cfg = np.seterr(all='ignore')
wave = np.ascontiguousarray(x) * u.AA
bbnu_flux = blackbody_nu(wave, temperature)
bbflux = (bbnu_flux * u.sr).to(units.PHOTLAM, u.spectral_density(wave)
) / u.sr
np.seterr(**old_np_err_cfg)
return bbflux.value
|
evaluate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, temperature):\n if ASTROPY_LT_2_0:\n from astropy.analytic_functions.blackbody import blackbody_nu\n else:\n from astropy.modeling.blackbody import blackbody_nu\n old_np_err_cfg = np.seterr(all='ignore')\n wave = np.ascontiguousarray(x) * u.AA\n bbnu_flux = blackbody_nu(wave, temperature)\n bbflux = (bbnu_flux * u.sr).to(units.PHOTLAM, u.spectral_density(wave)\n ) / u.sr\n np.seterr(**old_np_err_cfg)\n return bbflux.value\n",
"role": "user"
},
{
"content": "evaluate",
"role": "assistant"
}
] |
def x(self, x, temperature):
bbflux = super(BlackBodyNorm1D, self).evaluate(x, temperature)
return bbflux * self._omega
|
evaluate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x, temperature):\n bbflux = super(BlackBodyNorm1D, self).evaluate(x, temperature)\n return bbflux * self._omega\n",
"role": "user"
},
{
"content": "evaluate",
"role": "assistant"
}
] |
def x(w1, w2, step, minimal):
if minimal:
arr = [w1 - step, w1, w2, w2 + step]
else:
arr = np.arange(w1 - step, w2 + step + step, step)
return arr
|
calc_sampleset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(w1, w2, step, minimal):\n if minimal:\n arr = [w1 - step, w1, w2, w2 + step]\n else:\n arr = np.arange(w1 - step, w2 + step + step, step)\n return arr\n",
"role": "user"
},
{
"content": "calc_sampleset",
"role": "assistant"
}
] |
def x(self, step=0.01, minimal=False):
w1, w2 = self.bounding_box
if self._n_models == 1:
w = self._calc_sampleset(w1, w2, step, minimal)
else:
w = list(map(partial(self._calc_sampleset, step=step, minimal=
minimal), w1, w2))
return np.asarray(w)
|
sampleset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, step=0.01, minimal=False):\n w1, w2 = self.bounding_box\n if self._n_models == 1:\n w = self._calc_sampleset(w1, w2, step, minimal)\n else:\n w = list(map(partial(self._calc_sampleset, step=step, minimal=\n minimal), w1, w2))\n return np.asarray(w)\n",
"role": "user"
},
{
"content": "sampleset",
"role": "assistant"
}
] |
def x(self, x, *args):
a = self.amplitude * np.ones_like(x) * self._flux_unit
y = units.convert_flux(x, a, units.PHOTLAM)
return y.value
|
evaluate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x, *args):\n a = self.amplitude * np.ones_like(x) * self._flux_unit\n y = units.convert_flux(x, a, units.PHOTLAM)\n return y.value\n",
"role": "user"
},
{
"content": "evaluate",
"role": "assistant"
}
] |
def x(self, x, y):
if self._keep_neg:
return y
old_y = None
if np.isscalar(y):
if y < 0:
n_neg = 1
old_x = x
old_y = y
y = 0
else:
x = np.asarray(x)
y = np.asarray(y)
i = np.where(y < 0)
n_neg = len(i[0])
if n_neg > 0:
old_x = x[i]
old_y = y[i]
y[i] = 0
if old_y is not None:
warn_str = (
'{0} bin(s) contained negative flux or throughput; it/they will be set to zero.'
.format(n_neg))
warn_str += '\n points: {0}\n lookup_table: {1}'.format(old_x, old_y)
self.meta['warnings'].update({'NegativeFlux': warn_str})
warnings.warn(warn_str, AstropyUserWarning)
return y
|
process_neg_flux
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x, y):\n if self._keep_neg:\n return y\n old_y = None\n if np.isscalar(y):\n if y < 0:\n n_neg = 1\n old_x = x\n old_y = y\n y = 0\n else:\n x = np.asarray(x)\n y = np.asarray(y)\n i = np.where(y < 0)\n n_neg = len(i[0])\n if n_neg > 0:\n old_x = x[i]\n old_y = y[i]\n y[i] = 0\n if old_y is not None:\n warn_str = (\n '{0} bin(s) contained negative flux or throughput; it/they will be set to zero.'\n .format(n_neg))\n warn_str += '\\n points: {0}\\n lookup_table: {1}'.format(old_x, old_y)\n self.meta['warnings'].update({'NegativeFlux': warn_str})\n warnings.warn(warn_str, AstropyUserWarning)\n return y\n",
"role": "user"
},
{
"content": "process_neg_flux",
"role": "assistant"
}
] |
def x(self, inputs):
y = super(Empirical1D, self).evaluate(inputs)
if self.fill_value is np.nan:
x = np.squeeze(self.points)
if np.isscalar(y):
if inputs < x[0]:
y = self.lookup_table[0]
elif inputs > x[-1]:
y = self.lookup_table[-1]
else:
y[inputs < x[0]] = self.lookup_table[0]
y[inputs > x[-1]] = self.lookup_table[-1]
return self._process_neg_flux(inputs, y)
|
evaluate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, inputs):\n y = super(Empirical1D, self).evaluate(inputs)\n if self.fill_value is np.nan:\n x = np.squeeze(self.points)\n if np.isscalar(y):\n if inputs < x[0]:\n y = self.lookup_table[0]\n elif inputs > x[-1]:\n y = self.lookup_table[-1]\n else:\n y[inputs < x[0]] = self.lookup_table[0]\n y[inputs > x[-1]] = self.lookup_table[-1]\n return self._process_neg_flux(inputs, y)\n",
"role": "user"
},
{
"content": "evaluate",
"role": "assistant"
}
] |
def x(x, amplitude, mean, stddev):
return 1.0 - Gaussian1D.evaluate(x, amplitude, mean, stddev)
|
evaluate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, amplitude, mean, stddev):\n return 1.0 - Gaussian1D.evaluate(x, amplitude, mean, stddev)\n",
"role": "user"
},
{
"content": "evaluate",
"role": "assistant"
}
] |
def x(x, amplitude, mean, stddev):
import operator
return list(map(operator.neg, Gaussian1D.fit_deriv(x, amplitude, mean,
stddev)))
|
fit_deriv
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, amplitude, mean, stddev):\n import operator\n return list(map(operator.neg, Gaussian1D.fit_deriv(x, amplitude, mean,\n stddev)))\n",
"role": "user"
},
{
"content": "fit_deriv",
"role": "assistant"
}
] |
def x(self, factor_step=0.05, **kwargs):
w1, w2 = self.bounding_box(**kwargs)
dw = factor_step * self.fwhm
if self._n_models == 1:
w = np.arange(w1, w2, dw)
else:
w = list(map(np.arange, w1, w2, dw))
return np.asarray(w)
|
sampleset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, factor_step=0.05, **kwargs):\n w1, w2 = self.bounding_box(**kwargs)\n dw = factor_step * self.fwhm\n if self._n_models == 1:\n w = np.arange(w1, w2, dw)\n else:\n w = list(map(np.arange, w1, w2, dw))\n return np.asarray(w)\n",
"role": "user"
},
{
"content": "sampleset",
"role": "assistant"
}
] |
def x(self, x, *args):
xx = x / self.x_0
y = self.amplitude * xx ** -self.alpha * self._flux_unit
flux = units.convert_flux(x, y, units.PHOTLAM)
return flux.value
|
evaluate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x, *args):\n xx = x / self.x_0\n y = self.amplitude * xx ** -self.alpha * self._flux_unit\n flux = units.convert_flux(x, y, units.PHOTLAM)\n return flux.value\n",
"role": "user"
},
{
"content": "evaluate",
"role": "assistant"
}
] |
def x(self):
x1, x4 = self.bounding_box
dw = self.width * 0.5
x2 = self.x_0 - dw
x3 = self.x_0 + dw
if self._n_models == 1:
w = [x1, x2, x3, x4]
else:
w = list(zip(x1, x2, x3, x4))
return np.asarray(w)
|
sampleset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n x1, x4 = self.bounding_box\n dw = self.width * 0.5\n x2 = self.x_0 - dw\n x3 = self.x_0 + dw\n if self._n_models == 1:\n w = [x1, x2, x3, x4]\n else:\n w = list(zip(x1, x2, x3, x4))\n return np.asarray(w)\n",
"role": "user"
},
{
"content": "sampleset",
"role": "assistant"
}
] |
def x(self, cart, request):
try:
self.charge(cart, request)
thank_you_url = OrderModel.objects.get_latest_url()
js_expression = 'window.location.href="{}";'.format(thank_you_url)
return js_expression
except (KeyError, stripe.error.StripeError) as err:
raise ValidationError(err)
|
get_payment_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cart, request):\n try:\n self.charge(cart, request)\n thank_you_url = OrderModel.objects.get_latest_url()\n js_expression = 'window.location.href=\"{}\";'.format(thank_you_url)\n return js_expression\n except (KeyError, stripe.error.StripeError) as err:\n raise ValidationError(err)\n",
"role": "user"
},
{
"content": "get_payment_request",
"role": "assistant"
}
] |
def x(self, cart, request):
token_id = cart.extra['payment_extra_data']['token_id']
if LooseVersion(SHOP_VERSION) < LooseVersion('0.11'):
charge = stripe.Charge.create(amount=cart.total.as_integer(),
currency=cart.total.currency, source=token_id, description=
settings.SHOP_STRIPE['PURCHASE_DESCRIPTION'])
if charge['status'] == 'succeeded':
order = OrderModel.objects.create_from_cart(cart, request)
order.add_stripe_payment(charge)
order.save()
else:
order = OrderModel.objects.create_from_cart(cart, request)
charge = stripe.Charge.create(amount=cart.total.as_integer(),
currency=cart.total.currency, source=token_id, transfer_group=
order.get_number(), description=settings.SHOP_STRIPE[
'PURCHASE_DESCRIPTION'])
if charge['status'] == 'succeeded':
order.populate_from_cart(cart, request)
order.add_stripe_payment(charge)
order.save()
if charge['status'] != 'succeeded':
msg = "Stripe returned status '{status}' for id: {id}"
raise stripe.error.InvalidRequestError(msg.format(**charge))
|
charge
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cart, request):\n token_id = cart.extra['payment_extra_data']['token_id']\n if LooseVersion(SHOP_VERSION) < LooseVersion('0.11'):\n charge = stripe.Charge.create(amount=cart.total.as_integer(),\n currency=cart.total.currency, source=token_id, description=\n settings.SHOP_STRIPE['PURCHASE_DESCRIPTION'])\n if charge['status'] == 'succeeded':\n order = OrderModel.objects.create_from_cart(cart, request)\n order.add_stripe_payment(charge)\n order.save()\n else:\n order = OrderModel.objects.create_from_cart(cart, request)\n charge = stripe.Charge.create(amount=cart.total.as_integer(),\n currency=cart.total.currency, source=token_id, transfer_group=\n order.get_number(), description=settings.SHOP_STRIPE[\n 'PURCHASE_DESCRIPTION'])\n if charge['status'] == 'succeeded':\n order.populate_from_cart(cart, request)\n order.add_stripe_payment(charge)\n order.save()\n if charge['status'] != 'succeeded':\n msg = \"Stripe returned status '{status}' for id: {id}\"\n raise stripe.error.InvalidRequestError(msg.format(**charge))\n",
"role": "user"
},
{
"content": "charge",
"role": "assistant"
}
] |
def x(self):
Money = MoneyMaker(self.currency)
filter_kwargs = {'transaction_id__startswith': 'ch_', 'payment_method':
StripePayment.namespace}
for payment in self.orderpayment_set.filter(**filter_kwargs):
refund = stripe.Refund.create(charge=payment.transaction_id)
if refund['status'] == 'succeeded':
amount = Money(refund['amount']) / Money.subunits
OrderPayment.objects.create(order=self, amount=-amount,
transaction_id=refund['id'], payment_method=StripePayment.
namespace)
del self.amount_paid
if self.amount_paid:
super(OrderWorkflowMixin, self).refund_payment()
|
refund_payment
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n Money = MoneyMaker(self.currency)\n filter_kwargs = {'transaction_id__startswith': 'ch_', 'payment_method':\n StripePayment.namespace}\n for payment in self.orderpayment_set.filter(**filter_kwargs):\n refund = stripe.Refund.create(charge=payment.transaction_id)\n if refund['status'] == 'succeeded':\n amount = Money(refund['amount']) / Money.subunits\n OrderPayment.objects.create(order=self, amount=-amount,\n transaction_id=refund['id'], payment_method=StripePayment.\n namespace)\n del self.amount_paid\n if self.amount_paid:\n super(OrderWorkflowMixin, self).refund_payment()\n",
"role": "user"
},
{
"content": "refund_payment",
"role": "assistant"
}
] |
def x(self):
self.service.create()
zone_id = predix.config.get_env_key(self.use_class, 'zone_id')
zone = self.service.settings.data['zone']['http-header-value']
os.environ[zone_id] = zone
uri = predix.config.get_env_key(self.use_class, 'uri')
os.environ[uri] = self.service.settings.data['uri']
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.service.create()\n zone_id = predix.config.get_env_key(self.use_class, 'zone_id')\n zone = self.service.settings.data['zone']['http-header-value']\n os.environ[zone_id] = zone\n uri = predix.config.get_env_key(self.use_class, 'uri')\n os.environ[uri] = self.service.settings.data['uri']\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, manifest):
manifest.add_service(self.service.name)
zone_id = predix.config.get_env_key(self.use_class, 'zone_id')
manifest.add_env_var(zone_id, self.service.settings.data['zone'][
'http-header-value'])
uri = predix.config.get_env_key(self.use_class, 'uri')
manifest.add_env_var(uri, self.service.settings.data['uri'])
manifest.write_manifest()
|
add_to_manifest
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, manifest):\n manifest.add_service(self.service.name)\n zone_id = predix.config.get_env_key(self.use_class, 'zone_id')\n manifest.add_env_var(zone_id, self.service.settings.data['zone'][\n 'http-header-value'])\n uri = predix.config.get_env_key(self.use_class, 'uri')\n manifest.add_env_var(uri, self.service.settings.data['uri'])\n manifest.write_manifest()\n",
"role": "user"
},
{
"content": "add_to_manifest",
"role": "assistant"
}
] |
def x(self):
instance = self.service.service.get_instance(self.service.name)
if instance['last_operation']['state'] == 'in progress' and instance[
'last_operation']['type'] == 'create':
return True
return False
|
create_in_progress
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n instance = self.service.service.get_instance(self.service.name)\n if instance['last_operation']['state'] == 'in progress' and instance[\n 'last_operation']['type'] == 'create':\n return True\n return False\n",
"role": "user"
},
{
"content": "create_in_progress",
"role": "assistant"
}
] |
def x(self, manifest):
manifest.add_service(self.service.name)
host = predix.config.get_env_key(self.use_class, 'host')
manifest.add_env_var(host, self.service.settings.data['host'])
password = predix.config.get_env_key(self.use_class, 'password')
manifest.add_env_var(password, self.service.settings.data['password'])
port = predix.config.get_env_key(self.use_class, 'port')
manifest.add_env_var(port, self.service.settings.data['port'])
manifest.write_manifest()
|
add_to_manifest
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, manifest):\n manifest.add_service(self.service.name)\n host = predix.config.get_env_key(self.use_class, 'host')\n manifest.add_env_var(host, self.service.settings.data['host'])\n password = predix.config.get_env_key(self.use_class, 'password')\n manifest.add_env_var(password, self.service.settings.data['password'])\n port = predix.config.get_env_key(self.use_class, 'port')\n manifest.add_env_var(port, self.service.settings.data['port'])\n manifest.write_manifest()\n",
"role": "user"
},
{
"content": "add_to_manifest",
"role": "assistant"
}
] |
def x(self):
if not self.service.exists():
logging.warning('Service does not yet exist.')
return self.service.settings.data['uri']
|
get_uri
|
[
{
"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.service.exists():\n logging.warning('Service does not yet exist.')\n return self.service.settings.data['uri']\n",
"role": "user"
},
{
"content": "get_uri",
"role": "assistant"
}
] |
def x(self):
if not self.service.exists():
logging.warning('Service does not yet exist.')
return self.service.settings.data['zone']['http-header-value']
|
get_zone_id
|
[
{
"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.service.exists():\n logging.warning('Service does not yet exist.')\n return self.service.settings.data['zone']['http-header-value']\n",
"role": "user"
},
{
"content": "get_zone_id",
"role": "assistant"
}
] |
def x(self):
self.service.create()
predix.config.set_env_value(self.use_class, 'uri', self._get_uri())
predix.config.set_env_value(self.use_class, 'zone_id', self._get_zone_id())
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.service.create()\n predix.config.set_env_value(self.use_class, 'uri', self._get_uri())\n predix.config.set_env_value(self.use_class, 'zone_id', self._get_zone_id())\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, client_id):
zone = self.service.settings.data['zone']['oauth-scope']
scopes = ['openid', zone, 'acs.policies.read', 'acs.attributes.read',
'acs.policies.write', 'acs.attributes.write']
authorities = ['uaa.resource', zone, 'acs.policies.read',
'acs.policies.write', 'acs.attributes.read', 'acs.attributes.write']
self.service.uaa.uaac.update_client_grants(client_id, scope=scopes,
authorities=authorities)
return self.service.uaa.uaac.get_client(client_id)
|
grant_client
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, client_id):\n zone = self.service.settings.data['zone']['oauth-scope']\n scopes = ['openid', zone, 'acs.policies.read', 'acs.attributes.read',\n 'acs.policies.write', 'acs.attributes.write']\n authorities = ['uaa.resource', zone, 'acs.policies.read',\n 'acs.policies.write', 'acs.attributes.read', 'acs.attributes.write']\n self.service.uaa.uaac.update_client_grants(client_id, scope=scopes,\n authorities=authorities)\n return self.service.uaa.uaac.get_client(client_id)\n",
"role": "user"
},
{
"content": "grant_client",
"role": "assistant"
}
] |
def x(self, manifest):
manifest.add_service(self.service.name)
uri = predix.config.get_env_key(self.use_class, 'uri')
manifest.add_env_var(uri, self._get_uri())
zone_id = predix.config.get_env_key(self.use_class, 'zone_id')
manifest.add_env_var(zone_id, self._get_zone_id())
manifest.write_manifest()
|
add_to_manifest
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, manifest):\n manifest.add_service(self.service.name)\n uri = predix.config.get_env_key(self.use_class, 'uri')\n manifest.add_env_var(uri, self._get_uri())\n zone_id = predix.config.get_env_key(self.use_class, 'zone_id')\n manifest.add_env_var(zone_id, self._get_zone_id())\n manifest.write_manifest()\n",
"role": "user"
},
{
"content": "add_to_manifest",
"role": "assistant"
}
] |
def x(self, path):
uri = self.config.get_target() + path
headers = self._get_headers()
logging.debug('URI=GET ' + str(uri))
logging.debug('HEADERS=' + str(headers))
response = self.session.get(uri, headers=headers)
if response.status_code == 200:
return response.json()
elif response.status_code == 401:
raise predix.admin.cf.config.CloudFoundryLoginError('token invalid')
else:
response.raise_for_status()
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n uri = self.config.get_target() + path\n headers = self._get_headers()\n logging.debug('URI=GET ' + str(uri))\n logging.debug('HEADERS=' + str(headers))\n response = self.session.get(uri, headers=headers)\n if response.status_code == 200:\n return response.json()\n elif response.status_code == 401:\n raise predix.admin.cf.config.CloudFoundryLoginError('token invalid')\n else:\n response.raise_for_status()\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, path, data):
uri = self.config.get_target() + path
headers = self._post_headers()
logging.debug('URI=POST ' + str(uri))
logging.debug('HEADERS=' + str(headers))
logging.debug('BODY=' + str(data))
response = self.session.post(uri, headers=headers, data=json.dumps(data))
if response.status_code in (200, 201, 202):
return response.json()
elif response.status_code == 401:
raise predix.admin.cf.config.CloudFoundryLoginError('token invalid')
else:
logging.debug('STATUS=' + str(response.status_code))
logging.debug('CONTENT=' + str(response.content))
response.raise_for_status()
|
post
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, data):\n uri = self.config.get_target() + path\n headers = self._post_headers()\n logging.debug('URI=POST ' + str(uri))\n logging.debug('HEADERS=' + str(headers))\n logging.debug('BODY=' + str(data))\n response = self.session.post(uri, headers=headers, data=json.dumps(data))\n if response.status_code in (200, 201, 202):\n return response.json()\n elif response.status_code == 401:\n raise predix.admin.cf.config.CloudFoundryLoginError('token invalid')\n else:\n logging.debug('STATUS=' + str(response.status_code))\n logging.debug('CONTENT=' + str(response.content))\n response.raise_for_status()\n",
"role": "user"
},
{
"content": "post",
"role": "assistant"
}
] |
def x(self, path, data=None, params=None):
uri = self.config.get_target() + path
headers = {'Authorization': self.config.get_access_token()}
logging.debug('URI=DELETE ' + str(uri))
logging.debug('HEADERS=' + str(headers))
response = self.session.delete(uri, headers=headers, params=params,
data=json.dumps(data))
if response.status_code == 204:
return response
else:
logging.debug('STATUS=' + str(response.status_code))
logging.debug('CONTENT=' + str(response.content))
response.raise_for_status()
|
delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, data=None, params=None):\n uri = self.config.get_target() + path\n headers = {'Authorization': self.config.get_access_token()}\n logging.debug('URI=DELETE ' + str(uri))\n logging.debug('HEADERS=' + str(headers))\n response = self.session.delete(uri, headers=headers, params=params,\n data=json.dumps(data))\n if response.status_code == 204:\n return response\n else:\n logging.debug('STATUS=' + str(response.status_code))\n logging.debug('CONTENT=' + str(response.content))\n response.raise_for_status()\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self):
orgs = []
for resource in self._get_orgs()['resources']:
orgs.append(resource['entity']['name'])
return orgs
|
get_orgs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n orgs = []\n for resource in self._get_orgs()['resources']:\n orgs.append(resource['entity']['name'])\n return orgs\n",
"role": "user"
},
{
"content": "get_orgs",
"role": "assistant"
}
] |
def x(self):
apps = []
for resource in self._get_apps()['resources']:
apps.append(resource['entity']['name'])
return apps
|
get_apps
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n apps = []\n for resource in self._get_apps()['resources']:\n apps.append(resource['entity']['name'])\n return apps\n",
"role": "user"
},
{
"content": "get_apps",
"role": "assistant"
}
] |
def x(self, user_name, role='user'):
role_uri = self._get_role_uri(role=role)
return self.api.put(path=role_uri, data={'username': user_name})
|
add_user
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_name, role='user'):\n role_uri = self._get_role_uri(role=role)\n return self.api.put(path=role_uri, data={'username': user_name})\n",
"role": "user"
},
{
"content": "add_user",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.