source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self):
g = get_root(self).globals
if not g.cpars['tcs_on'] or not g.cpars['telins_name'].lower() == 'gtc':
self.after(60000, self.update_tcs_table)
return
try:
tel_server = tcs.get_telescope_server()
telpars = tel_server.getTelescopeParams()
add_gtc_header_table_row(self.tcs_table, telpars)
except Exception as err:
g.clog.warn('Could not update table of TCS info')
self.after(60000, self.update_tcs_table)
|
update_tcs_table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n g = get_root(self).globals\n if not g.cpars['tcs_on'] or not g.cpars['telins_name'].lower() == 'gtc':\n self.after(60000, self.update_tcs_table)\n return\n try:\n tel_server = tcs.get_telescope_server()\n telpars = tel_server.getTelescopeParams()\n add_gtc_header_table_row(self.tcs_table, telpars)\n except Exception as err:\n g.clog.warn('Could not update table of TCS info')\n self.after(60000, self.update_tcs_table)\n",
"role": "user"
},
{
"content": "update_tcs_table",
"role": "assistant"
}
] |
def x(self):
g = get_root(self).globals
if not g.cpars['tcs_on']:
self.after(20000, self.update_tcs)
return
if g.cpars['telins_name'] == 'WHT':
tcsfunc = tcs.getWhtTcs
elif g.cpars['telins_name'] == 'GTC':
tcsfunc = tcs.getGtcTcs
else:
g.clog.debug('TCS error: could not recognise ' + g.cpars['telins_name']
)
return
def x():
try:
ra, dec, pa, focus = tcsfunc()
self.tcs_data_queue.put((ra, dec, pa, focus))
except Exception as err:
t, v, tb = sys.exc_info()
error = traceback.format_exception_only(t, v)[0].strip()
tback = 'TCS Traceback (most recent call last):\n' + ''.join(
traceback.format_tb(tb))
g.FIFO.put(('TCS', error, tback))
t = threading.Thread(target=tcs_threaded_update)
t.start()
self.after(20000, self.update_tcs)
|
update_tcs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n g = get_root(self).globals\n if not g.cpars['tcs_on']:\n self.after(20000, self.update_tcs)\n return\n if g.cpars['telins_name'] == 'WHT':\n tcsfunc = tcs.getWhtTcs\n elif g.cpars['telins_name'] == 'GTC':\n tcsfunc = tcs.getGtcTcs\n else:\n g.clog.debug('TCS error: could not recognise ' + g.cpars['telins_name']\n )\n return\n\n def x():\n try:\n ra, dec, pa, focus = tcsfunc()\n self.tcs_data_queue.put((ra, dec, pa, focus))\n except Exception as err:\n t, v, tb = sys.exc_info()\n error = traceback.format_exception_only(t, v)[0].strip()\n tback = 'TCS Traceback (most recent call last):\\n' + ''.join(\n traceback.format_tb(tb))\n g.FIFO.put(('TCS', error, tback))\n t = threading.Thread(target=tcs_threaded_update)\n t.start()\n self.after(20000, self.update_tcs)\n",
"role": "user"
},
{
"content": "update_tcs",
"role": "assistant"
}
] |
def x(self):
g = get_root(self).globals
if not g.cpars['focal_plane_slide_on']:
self.after(20000, self.update_slidepos)
return
def x():
try:
(pos_ms, pos_mm, pos_px), msg = g.fpslide.slide.return_position()
self.slide_pos_queue.put((pos_ms, pos_mm, pos_px))
except Exception as err:
t, v, tb = sys.exc_info()
error = traceback.format_exception_only(t, v)[0].strip()
tback = 'Slide Traceback (most recent call last):\n' + ''.join(
traceback.format_tb(tb))
g.FIFO.put(('Slide', error, tback))
t = threading.Thread(target=slide_threaded_update)
t.start()
self.after(20000, self.update_slidepos)
|
update_slidepos
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n g = get_root(self).globals\n if not g.cpars['focal_plane_slide_on']:\n self.after(20000, self.update_slidepos)\n return\n\n def x():\n try:\n (pos_ms, pos_mm, pos_px), msg = g.fpslide.slide.return_position()\n self.slide_pos_queue.put((pos_ms, pos_mm, pos_px))\n except Exception as err:\n t, v, tb = sys.exc_info()\n error = traceback.format_exception_only(t, v)[0].strip()\n tback = 'Slide Traceback (most recent call last):\\n' + ''.join(\n traceback.format_tb(tb))\n g.FIFO.put(('Slide', error, tback))\n t = threading.Thread(target=slide_threaded_update)\n t.start()\n self.after(20000, self.update_slidepos)\n",
"role": "user"
},
{
"content": "update_slidepos",
"role": "assistant"
}
] |
def x(self):
g = get_root(self).globals
if g.astro is None or g.fpslide is None:
self.after(100, self.update)
return
try:
if g.cpars['tcs_on']:
try:
ra, dec, pa, focus = self.tcs_data_queue.get(block=False)
coo = coord.SkyCoord(ra, dec, unit=(u.deg, u.deg))
ratxt = coo.ra.to_string(sep=':', unit=u.hour, precision=0)
dectxt = coo.dec.to_string(sep=':', unit=u.deg, alwayssign=
True, precision=0)
self.ra.configure(text=ratxt)
self.dec.configure(text=dectxt)
pa = coord.Longitude(pa * u.deg)
self.pa.configure(text='{0:6.2f}'.format(pa.value))
self.focus.configure(text='{0:+5.2f}'.format(focus))
now = Time.now()
with warnings.catch_warnings():
warnings.simplefilter('ignore')
lon = g.astro.obs.longitude
lst = now.sidereal_time(kind='mean', longitude=lon)
ha = coo.ra.hourangle * u.hourangle - lst
hatxt = ha.wrap_at(12 * u.hourangle).to_string(sep=':',
precision=0)
self.ha.configure(text=hatxt)
altaz_frame = coord.AltAz(obstime=now, location=g.astro.obs)
altaz = coo.transform_to(altaz_frame)
self.alt.configure(text='{0:<4.1f}'.format(altaz.alt.value))
self.az.configure(text='{0:<5.1f}'.format(altaz.az.value))
self.airmass.configure(text='{0:<4.2f}'.format(altaz.secz))
md = coord.get_moon(now, g.astro.obs).separation(coo)
self.mdist.configure(text='{0:<7.2f}'.format(md.value))
if md < g.cpars['mdist_warn'] * u.deg:
self.mdist.configure(bg=g.COL['warn'])
else:
self.mdist.configure(bg=g.COL['main'])
except Empty:
pass
except Exception as err:
self.ra.configure(text='UNDEF')
self.dec.configure(text='UNDEF')
self.pa.configure(text='UNDEF')
self.ha.configure(text='UNDEF')
self.alt.configure(text='UNDEF')
self.az.configure(text='UNDEF')
self.airmass.configure(text='UNDEF')
self.mdist.configure(text='UNDEF')
g.clog.warn('TCS error: ' + str(err))
if g.cpars['hcam_server_on'] and g.cpars['eso_server_online']:
try:
run = getRunNumber(g)
self.run.configure(text='{0:03d}'.format(run))
try:
frame_no = getFrameNumber(g)
self.frame.configure(text='{0:04d}'.format(frame_no))
except Exception as err:
if err.code == 404:
self.frame.configure(text='0')
else:
g.clog.debug('Error occurred trying to set frame')
self.frame.configure(text='UNDEF')
except Exception as err:
g.clog.debug('Error trying to set run: ' + str(err))
if self.count % 5 == 0 and g.cpars['focal_plane_slide_on']:
try:
pos_ms, pos_mm, pos_px = self.slide_pos_queue.get(block=False)
self.fpslide.configure(text='{0:d}'.format(int(round(pos_px))))
if pos_px < 1050.0:
self.fpslide.configure(bg=g.COL['warn'])
else:
self.fpslide.configure(bg=g.COL['main'])
except Exception as err:
pass
if self.count % 5 == 0:
try:
if g.ccd_hw is not None and g.ccd_hw.ok:
self.ccd_temps.configure(text='OK')
self.ccd_temps.configure(bg=g.COL['main'])
else:
self.ccd_temps.configure(text='ERR')
self.ccd_temps.configure(bg=g.COL['warn'])
except Exception as err:
g.clog.warn(str(err))
self.ccd_temps.configure(text='UNDEF')
self.ccd_temps.configure(bg=g.COL['warn'])
except Exception as err:
g.clog.warn('Unexpected error: ' + str(err))
self.count += 1
self.after(2000, self.update)
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n g = get_root(self).globals\n if g.astro is None or g.fpslide is None:\n self.after(100, self.update)\n return\n try:\n if g.cpars['tcs_on']:\n try:\n ra, dec, pa, focus = self.tcs_data_queue.get(block=False)\n coo = coord.SkyCoord(ra, dec, unit=(u.deg, u.deg))\n ratxt = coo.ra.to_string(sep=':', unit=u.hour, precision=0)\n dectxt = coo.dec.to_string(sep=':', unit=u.deg, alwayssign=\n True, precision=0)\n self.ra.configure(text=ratxt)\n self.dec.configure(text=dectxt)\n pa = coord.Longitude(pa * u.deg)\n self.pa.configure(text='{0:6.2f}'.format(pa.value))\n self.focus.configure(text='{0:+5.2f}'.format(focus))\n now = Time.now()\n with warnings.catch_warnings():\n warnings.simplefilter('ignore')\n lon = g.astro.obs.longitude\n lst = now.sidereal_time(kind='mean', longitude=lon)\n ha = coo.ra.hourangle * u.hourangle - lst\n hatxt = ha.wrap_at(12 * u.hourangle).to_string(sep=':',\n precision=0)\n self.ha.configure(text=hatxt)\n altaz_frame = coord.AltAz(obstime=now, location=g.astro.obs)\n altaz = coo.transform_to(altaz_frame)\n self.alt.configure(text='{0:<4.1f}'.format(altaz.alt.value))\n self.az.configure(text='{0:<5.1f}'.format(altaz.az.value))\n self.airmass.configure(text='{0:<4.2f}'.format(altaz.secz))\n md = coord.get_moon(now, g.astro.obs).separation(coo)\n self.mdist.configure(text='{0:<7.2f}'.format(md.value))\n if md < g.cpars['mdist_warn'] * u.deg:\n self.mdist.configure(bg=g.COL['warn'])\n else:\n self.mdist.configure(bg=g.COL['main'])\n except Empty:\n pass\n except Exception as err:\n self.ra.configure(text='UNDEF')\n self.dec.configure(text='UNDEF')\n self.pa.configure(text='UNDEF')\n self.ha.configure(text='UNDEF')\n self.alt.configure(text='UNDEF')\n self.az.configure(text='UNDEF')\n self.airmass.configure(text='UNDEF')\n self.mdist.configure(text='UNDEF')\n g.clog.warn('TCS error: ' + str(err))\n if g.cpars['hcam_server_on'] and g.cpars['eso_server_online']:\n try:\n run = getRunNumber(g)\n self.run.configure(text='{0:03d}'.format(run))\n try:\n frame_no = getFrameNumber(g)\n self.frame.configure(text='{0:04d}'.format(frame_no))\n except Exception as err:\n if err.code == 404:\n self.frame.configure(text='0')\n else:\n g.clog.debug('Error occurred trying to set frame')\n self.frame.configure(text='UNDEF')\n except Exception as err:\n g.clog.debug('Error trying to set run: ' + str(err))\n if self.count % 5 == 0 and g.cpars['focal_plane_slide_on']:\n try:\n pos_ms, pos_mm, pos_px = self.slide_pos_queue.get(block=False)\n self.fpslide.configure(text='{0:d}'.format(int(round(pos_px))))\n if pos_px < 1050.0:\n self.fpslide.configure(bg=g.COL['warn'])\n else:\n self.fpslide.configure(bg=g.COL['main'])\n except Exception as err:\n pass\n if self.count % 5 == 0:\n try:\n if g.ccd_hw is not None and g.ccd_hw.ok:\n self.ccd_temps.configure(text='OK')\n self.ccd_temps.configure(bg=g.COL['main'])\n else:\n self.ccd_temps.configure(text='ERR')\n self.ccd_temps.configure(bg=g.COL['warn'])\n except Exception as err:\n g.clog.warn(str(err))\n self.ccd_temps.configure(text='UNDEF')\n self.ccd_temps.configure(bg=g.COL['warn'])\n except Exception as err:\n g.clog.warn('Unexpected error: ' + str(err))\n self.count += 1\n self.after(2000, self.update)\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self):
try:
self.counter += 1
g = get_root(self).globals
now = Time.now()
self.utc.configure(text=now.datetime.strftime('%H:%M:%S'))
self.mjd.configure(text='{0:11.5f}'.format(now.mjd))
with warnings.catch_warnings():
warnings.simplefilter('ignore')
lon = self.obs.longitude
lst = now.sidereal_time(kind='mean', longitude=lon)
self.lst.configure(text=lst.to_string(sep=':', precision=0))
if self.counter % 600 == 1:
altaz_frame = coord.AltAz(obstime=now, location=self.obs)
sun = coord.get_sun(now)
sun_aa = sun.transform_to(altaz_frame)
moon = coord.get_moon(now, self.obs)
moon_aa = moon.transform_to(altaz_frame)
elongation = sun.separation(moon)
moon_phase_angle = np.arctan2(sun.distance * np.sin(elongation),
moon.distance - sun.distance * np.cos(elongation))
moon_phase = (1 + np.cos(moon_phase_angle)) / 2.0
self.sunalt.configure(text='{0:+03d} deg'.format(int(sun_aa.alt
.deg)))
self.moonra.configure(text=moon.ra.to_string(unit='hour', sep=
':', precision=0))
self.moondec.configure(text=moon.dec.to_string(unit='deg', sep=
':', precision=0))
self.moonalt.configure(text='{0:+03d} deg'.format(int(moon_aa.
alt.deg)))
self.moonphase.configure(text='{0:02d} %'.format(int(100.0 *
moon_phase.value)))
if now > self.lastRiset and now > self.lastAstro:
horizon = -64 * u.arcmin
sunset = calc_riseset(now, 'sun', self.obs, 'next',
'setting', horizon)
sunrise = calc_riseset(now, 'sun', self.obs, 'next',
'rising', horizon)
horizon = -18 * u.deg
astroset = calc_riseset(now, 'sun', self.obs, 'next',
'setting', horizon)
astrorise = calc_riseset(now, 'sun', self.obs, 'next',
'rising', horizon)
if sunrise > sunset:
self.lriset.configure(text='Sets:', font=g.DEFAULT_FONT)
self.lastRiset = sunset
self.lastAstro = astroset
elif astrorise > astroset and astrorise < sunrise:
self.lriset.configure(text='Sets:', font=g.DEFAULT_FONT)
horizon = -64 * u.arcmin
self.lastRiset = calc_riseset(now, 'sun', self.obs,
'previous', 'setting', horizon)
self.lastAstro = astroset
elif astrorise > astroset and astrorise < sunrise:
self.lriset.configure(text='Rises:', font=g.DEFAULT_FONT)
horizon = -64 * u.arcmin
self.lastRiset = sunrise
self.lastAstro = astrorise
else:
self.lriset.configure(text='Rises:', font=g.DEFAULT_FONT)
horizon = -18 * u.deg
self.lastRiset = sunrise
self.lastAstro = calc_riseset(now, 'sun', self.obs,
'previous', 'rising', horizon)
self.riset.configure(text=self.lastRiset.datetime.strftime(
'%H:%M:%S'))
self.astro.configure(text=self.lastAstro.datetime.strftime(
'%H:%M:%S'))
except Exception as err:
g.clog.warn('AstroFrame.update: error = ' + str(err))
self.after(100, self.update)
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n self.counter += 1\n g = get_root(self).globals\n now = Time.now()\n self.utc.configure(text=now.datetime.strftime('%H:%M:%S'))\n self.mjd.configure(text='{0:11.5f}'.format(now.mjd))\n with warnings.catch_warnings():\n warnings.simplefilter('ignore')\n lon = self.obs.longitude\n lst = now.sidereal_time(kind='mean', longitude=lon)\n self.lst.configure(text=lst.to_string(sep=':', precision=0))\n if self.counter % 600 == 1:\n altaz_frame = coord.AltAz(obstime=now, location=self.obs)\n sun = coord.get_sun(now)\n sun_aa = sun.transform_to(altaz_frame)\n moon = coord.get_moon(now, self.obs)\n moon_aa = moon.transform_to(altaz_frame)\n elongation = sun.separation(moon)\n moon_phase_angle = np.arctan2(sun.distance * np.sin(elongation),\n moon.distance - sun.distance * np.cos(elongation))\n moon_phase = (1 + np.cos(moon_phase_angle)) / 2.0\n self.sunalt.configure(text='{0:+03d} deg'.format(int(sun_aa.alt\n .deg)))\n self.moonra.configure(text=moon.ra.to_string(unit='hour', sep=\n ':', precision=0))\n self.moondec.configure(text=moon.dec.to_string(unit='deg', sep=\n ':', precision=0))\n self.moonalt.configure(text='{0:+03d} deg'.format(int(moon_aa.\n alt.deg)))\n self.moonphase.configure(text='{0:02d} %'.format(int(100.0 *\n moon_phase.value)))\n if now > self.lastRiset and now > self.lastAstro:\n horizon = -64 * u.arcmin\n sunset = calc_riseset(now, 'sun', self.obs, 'next',\n 'setting', horizon)\n sunrise = calc_riseset(now, 'sun', self.obs, 'next',\n 'rising', horizon)\n horizon = -18 * u.deg\n astroset = calc_riseset(now, 'sun', self.obs, 'next',\n 'setting', horizon)\n astrorise = calc_riseset(now, 'sun', self.obs, 'next',\n 'rising', horizon)\n if sunrise > sunset:\n self.lriset.configure(text='Sets:', font=g.DEFAULT_FONT)\n self.lastRiset = sunset\n self.lastAstro = astroset\n elif astrorise > astroset and astrorise < sunrise:\n self.lriset.configure(text='Sets:', font=g.DEFAULT_FONT)\n horizon = -64 * u.arcmin\n self.lastRiset = calc_riseset(now, 'sun', self.obs,\n 'previous', 'setting', horizon)\n self.lastAstro = astroset\n elif astrorise > astroset and astrorise < sunrise:\n self.lriset.configure(text='Rises:', font=g.DEFAULT_FONT)\n horizon = -64 * u.arcmin\n self.lastRiset = sunrise\n self.lastAstro = astrorise\n else:\n self.lriset.configure(text='Rises:', font=g.DEFAULT_FONT)\n horizon = -18 * u.deg\n self.lastRiset = sunrise\n self.lastAstro = calc_riseset(now, 'sun', self.obs,\n 'previous', 'rising', horizon)\n self.riset.configure(text=self.lastRiset.datetime.strftime(\n '%H:%M:%S'))\n self.astro.configure(text=self.lastAstro.datetime.strftime(\n '%H:%M:%S'))\n except Exception as err:\n g.clog.warn('AstroFrame.update: error = ' + str(err))\n self.after(100, self.update)\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self):
status = True
synced = True
xbin = self.xbin.value()
ybin = self.ybin.value()
npair = self.npair.value()
g = get_root(self).globals
for xslw, xsrw, ysw, nxw, nyw in zip(self.xsl[:npair], self.xsr[:npair],
self.ys[:npair], self.nx[:npair], self.ny[:npair]):
xslw.config(bg=g.COL['main'])
xsrw.config(bg=g.COL['main'])
ysw.config(bg=g.COL['main'])
nxw.config(bg=g.COL['main'])
nyw.config(bg=g.COL['main'])
status = status if xslw.ok() else False
status = status if xsrw.ok() else False
status = status if ysw.ok() else False
status = status if nxw.ok() else False
status = status if nyw.ok() else False
xsl = xslw.value()
xsr = xsrw.value()
ys = ysw.value()
nx = nxw.value()
ny = nyw.value()
if nx is None or nx % xbin != 0:
nxw.config(bg=g.COL['error'])
status = False
elif nx // xbin % 4 != 0:
"""
The NGC collects pixel data in chunks before transmission.
As a result, to avoid loss of data from frames, the binned
x-size must be a multiple of 4.
"""
nxw.config(bg=g.COL['error'])
status = False
if ny is None or ny % ybin != 0:
nyw.config(bg=g.COL['error'])
status = False
if xsl is None or xsr is None or xsl >= xsr:
xsrw.config(bg=g.COL['error'])
status = False
if xsl is None or xsr is None or nx is None or xsl + nx > xsr:
xsrw.config(bg=g.COL['error'])
status = False
perform_check = all([(param is not None) for param in (xsl, xsr, ys,
nx, ny)])
if perform_check and ((xsl - 1) % xbin != 0 or (xsr - 1025) % xbin !=
0 or (ys - 1) % ybin != 0):
synced = False
if xsl is None or nx is None or xsl + nx - 1 > xslw.imax:
xslw.config(bg=g.COL['error'])
status = False
if xsr is None or nx is None or xsr + nx - 1 > xsrw.imax:
xsrw.config(bg=g.COL['error'])
status = False
if ys is None or ny is None or ys + ny - 1 > ysw.imax:
ysw.config(bg=g.COL['error'])
status = False
if status:
for index in range(npair - 2):
ys1 = self.ys[index].value()
ny1 = self.ny[index].value()
ysw2 = self.ys[index + 2]
ys2 = ysw2.value()
if ys1 + ny1 > ys2:
ysw2.config(bg=g.COL['error'])
status = False
if synced:
self.sbutt.config(bg=g.COL['main'])
self.sbutt.disable()
else:
if not self.frozen:
self.sbutt.enable()
self.sbutt.config(bg=g.COL['warn'])
return status
|
check
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n status = True\n synced = True\n xbin = self.xbin.value()\n ybin = self.ybin.value()\n npair = self.npair.value()\n g = get_root(self).globals\n for xslw, xsrw, ysw, nxw, nyw in zip(self.xsl[:npair], self.xsr[:npair],\n self.ys[:npair], self.nx[:npair], self.ny[:npair]):\n xslw.config(bg=g.COL['main'])\n xsrw.config(bg=g.COL['main'])\n ysw.config(bg=g.COL['main'])\n nxw.config(bg=g.COL['main'])\n nyw.config(bg=g.COL['main'])\n status = status if xslw.ok() else False\n status = status if xsrw.ok() else False\n status = status if ysw.ok() else False\n status = status if nxw.ok() else False\n status = status if nyw.ok() else False\n xsl = xslw.value()\n xsr = xsrw.value()\n ys = ysw.value()\n nx = nxw.value()\n ny = nyw.value()\n if nx is None or nx % xbin != 0:\n nxw.config(bg=g.COL['error'])\n status = False\n elif nx // xbin % 4 != 0:\n \"\"\"\n The NGC collects pixel data in chunks before transmission.\n As a result, to avoid loss of data from frames, the binned\n x-size must be a multiple of 4.\n \"\"\"\n nxw.config(bg=g.COL['error'])\n status = False\n if ny is None or ny % ybin != 0:\n nyw.config(bg=g.COL['error'])\n status = False\n if xsl is None or xsr is None or xsl >= xsr:\n xsrw.config(bg=g.COL['error'])\n status = False\n if xsl is None or xsr is None or nx is None or xsl + nx > xsr:\n xsrw.config(bg=g.COL['error'])\n status = False\n perform_check = all([(param is not None) for param in (xsl, xsr, ys,\n nx, ny)])\n if perform_check and ((xsl - 1) % xbin != 0 or (xsr - 1025) % xbin !=\n 0 or (ys - 1) % ybin != 0):\n synced = False\n if xsl is None or nx is None or xsl + nx - 1 > xslw.imax:\n xslw.config(bg=g.COL['error'])\n status = False\n if xsr is None or nx is None or xsr + nx - 1 > xsrw.imax:\n xsrw.config(bg=g.COL['error'])\n status = False\n if ys is None or ny is None or ys + ny - 1 > ysw.imax:\n ysw.config(bg=g.COL['error'])\n status = False\n if status:\n for index in range(npair - 2):\n ys1 = self.ys[index].value()\n ny1 = self.ny[index].value()\n ysw2 = self.ys[index + 2]\n ys2 = ysw2.value()\n if ys1 + ny1 > ys2:\n ysw2.config(bg=g.COL['error'])\n status = False\n if synced:\n self.sbutt.config(bg=g.COL['main'])\n self.sbutt.disable()\n else:\n if not self.frozen:\n self.sbutt.enable()\n self.sbutt.config(bg=g.COL['warn'])\n return status\n",
"role": "user"
},
{
"content": "check",
"role": "assistant"
}
] |
def x(self):
xbin = self.xbin.value()
ybin = self.ybin.value()
n = 0
for xsl, xsr, ys, nx, ny in self:
if xbin > 1:
xsl = xbin * ((xsl - 1) // xbin) + 1
self.xsl[n].set(xsl)
xsr = xbin * ((xsr - 1025) // xbin) + 1025
self.xsr[n].set(xsr)
if ybin > 1:
ys = ybin * ((ys - 1) // ybin) + 1
self.ys[n].set(ys)
n += 1
g = get_root(self).globals
self.sbutt.config(bg=g.COL['main'])
self.sbutt.config(state='disable')
|
sync
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n xbin = self.xbin.value()\n ybin = self.ybin.value()\n n = 0\n for xsl, xsr, ys, nx, ny in self:\n if xbin > 1:\n xsl = xbin * ((xsl - 1) // xbin) + 1\n self.xsl[n].set(xsl)\n xsr = xbin * ((xsr - 1025) // xbin) + 1025\n self.xsr[n].set(xsr)\n if ybin > 1:\n ys = ybin * ((ys - 1) // ybin) + 1\n self.ys[n].set(ys)\n n += 1\n g = get_root(self).globals\n self.sbutt.config(bg=g.COL['main'])\n self.sbutt.config(state='disable')\n",
"role": "user"
},
{
"content": "sync",
"role": "assistant"
}
] |
def x(self):
for xsl, xsr, ys, nx, ny in zip(self.xsl, self.xsr, self.ys, self.nx,
self.ny):
xsl.disable()
xsr.disable()
ys.disable()
nx.disable()
ny.disable()
self.npair.disable()
self.xbin.disable()
self.ybin.disable()
self.sbutt.disable()
self.frozen = True
|
freeze
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for xsl, xsr, ys, nx, ny in zip(self.xsl, self.xsr, self.ys, self.nx,\n self.ny):\n xsl.disable()\n xsr.disable()\n ys.disable()\n nx.disable()\n ny.disable()\n self.npair.disable()\n self.xbin.disable()\n self.ybin.disable()\n self.sbutt.disable()\n self.frozen = True\n",
"role": "user"
},
{
"content": "freeze",
"role": "assistant"
}
] |
def x(self, everything=False):
self.freeze()
if not everything:
self.xbin.enable()
self.ybin.enable()
self.frozen = False
|
disable
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, everything=False):\n self.freeze()\n if not everything:\n self.xbin.enable()\n self.ybin.enable()\n self.frozen = False\n",
"role": "user"
},
{
"content": "disable",
"role": "assistant"
}
] |
def x(self):
npair = self.npair.value()
for label, xsl, xsr, ys, nx, ny in zip(self.label[:npair], self.xsl[:
npair], self.xsr[:npair], self.ys[:npair], self.nx[:npair], self.ny
[:npair]):
label.config(state='normal')
xsl.enable()
xsr.enable()
ys.enable()
nx.enable()
ny.enable()
for label, xsl, xsr, ys, nx, ny in zip(self.label[npair:], self.xsl[
npair:], self.xsr[npair:], self.ys[npair:], self.nx[npair:], self.
ny[npair:]):
label.config(state='disable')
xsl.disable()
xsr.disable()
ys.disable()
nx.disable()
ny.disable()
self.npair.enable()
self.xbin.enable()
self.ybin.enable()
self.sbutt.enable()
|
enable
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n npair = self.npair.value()\n for label, xsl, xsr, ys, nx, ny in zip(self.label[:npair], self.xsl[:\n npair], self.xsr[:npair], self.ys[:npair], self.nx[:npair], self.ny\n [:npair]):\n label.config(state='normal')\n xsl.enable()\n xsr.enable()\n ys.enable()\n nx.enable()\n ny.enable()\n for label, xsl, xsr, ys, nx, ny in zip(self.label[npair:], self.xsl[\n npair:], self.xsr[npair:], self.ys[npair:], self.nx[npair:], self.\n ny[npair:]):\n label.config(state='disable')\n xsl.disable()\n xsr.disable()\n ys.disable()\n nx.disable()\n ny.disable()\n self.npair.enable()\n self.xbin.enable()\n self.ybin.enable()\n self.sbutt.enable()\n",
"role": "user"
},
{
"content": "enable",
"role": "assistant"
}
] |
def x(self):
status = synced = True
xbin = self.xbin.value()
ybin = self.ybin.value()
nquad = self.nquad.value()
g = get_root(self).globals
for xsllw, xsulw, xslrw, xsurw, ysw, nxw, nyw in zip(self.xsll[:nquad],
self.xsul[:nquad], self.xslr[:nquad], self.xsur[:nquad], self.ys[:
nquad], self.nx[:nquad], self.ny[:nquad]):
all_fields = xsllw, xsulw, xslrw, xsurw, ysw, nxw, nyw
for field in all_fields:
field.config(bg=g.COL['main'])
status = status if field.ok() else False
xsll = xsllw.value()
xsul = xsulw.value()
xslr = xslrw.value()
xsur = xsurw.value()
ys = ysw.value()
nx = nxw.value()
ny = nyw.value()
if nx is None or nx % xbin != 0:
nxw.config(bg=g.COL['error'])
status = False
elif nx // xbin % 4 != 0:
"""
The NGC collects pixel data in chunks before transmission.
As a result, to avoid loss of data from frames, the binned
x-size must be a multiple of 4.
"""
nxw.config(bg=g.COL['error'])
status = False
if ny is None or ny % ybin != 0:
nyw.config(bg=g.COL['error'])
status = False
if xsll is None or xslr is None or xsll >= xslr:
xslrw.config(bg=g.COL['error'])
status = False
if xsul is None or xsur is None or xsul >= xsur:
xsurw.config(bg=g.COL['error'])
status = False
if nx is None or xsll is None or xsll + nx > xslr:
xslrw.config(bg=g.COL['error'])
status = False
if xsul is None or nx is None or xsul + nx > xsur:
xsurw.config(bg=g.COL['error'])
status = False
perform_check = all([(param is not None) for param in (xsll, xslr,
ys, nx, ny)])
if perform_check and ((xsll - 1) % xbin != 0 or (xslr - 1025) %
xbin != 0 or (ys - 1) % ybin != 0):
synced = False
perform_check = all([(param is not None) for param in (xsul, xsur,
ys, nx, ny)])
if perform_check and ((xsul - 1) % xbin != 0 or (xsur - 1025) %
xbin != 0 or (ys - 1) % ybin != 0):
synced = False
rchecks = (xsll, nx, xsllw), (xslr, nx, xslrw), (xsul, nx, xsulw), (
xsur, nx, xsurw), (ys, ny, ysw)
for check in rchecks:
val, size, widg = check
if val is None or size is None or val + size - 1 > widg.imax:
widg.config(bg=g.COL['error'])
status = False
if status:
for index in range(nquad - 1):
ys1 = self.ys[index].value()
ny1 = self.ny[index].value()
ysw2 = self.ys[index + 1]
ys2 = ysw2.value()
if any([(thing is None) for thing in (ys1, ny1, ys2)]
) or ys1 + ny1 > ys2:
ysw2.config(bg=g.COL['error'])
status = False
if synced:
self.sbutt.config(bg=g.COL['main'])
self.sbutt.disable()
else:
if not self.frozen:
self.sbutt.enable()
self.sbutt.config(bg=g.COL['warn'])
return status
|
check
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n status = synced = True\n xbin = self.xbin.value()\n ybin = self.ybin.value()\n nquad = self.nquad.value()\n g = get_root(self).globals\n for xsllw, xsulw, xslrw, xsurw, ysw, nxw, nyw in zip(self.xsll[:nquad],\n self.xsul[:nquad], self.xslr[:nquad], self.xsur[:nquad], self.ys[:\n nquad], self.nx[:nquad], self.ny[:nquad]):\n all_fields = xsllw, xsulw, xslrw, xsurw, ysw, nxw, nyw\n for field in all_fields:\n field.config(bg=g.COL['main'])\n status = status if field.ok() else False\n xsll = xsllw.value()\n xsul = xsulw.value()\n xslr = xslrw.value()\n xsur = xsurw.value()\n ys = ysw.value()\n nx = nxw.value()\n ny = nyw.value()\n if nx is None or nx % xbin != 0:\n nxw.config(bg=g.COL['error'])\n status = False\n elif nx // xbin % 4 != 0:\n \"\"\"\n The NGC collects pixel data in chunks before transmission.\n As a result, to avoid loss of data from frames, the binned\n x-size must be a multiple of 4.\n \"\"\"\n nxw.config(bg=g.COL['error'])\n status = False\n if ny is None or ny % ybin != 0:\n nyw.config(bg=g.COL['error'])\n status = False\n if xsll is None or xslr is None or xsll >= xslr:\n xslrw.config(bg=g.COL['error'])\n status = False\n if xsul is None or xsur is None or xsul >= xsur:\n xsurw.config(bg=g.COL['error'])\n status = False\n if nx is None or xsll is None or xsll + nx > xslr:\n xslrw.config(bg=g.COL['error'])\n status = False\n if xsul is None or nx is None or xsul + nx > xsur:\n xsurw.config(bg=g.COL['error'])\n status = False\n perform_check = all([(param is not None) for param in (xsll, xslr,\n ys, nx, ny)])\n if perform_check and ((xsll - 1) % xbin != 0 or (xslr - 1025) %\n xbin != 0 or (ys - 1) % ybin != 0):\n synced = False\n perform_check = all([(param is not None) for param in (xsul, xsur,\n ys, nx, ny)])\n if perform_check and ((xsul - 1) % xbin != 0 or (xsur - 1025) %\n xbin != 0 or (ys - 1) % ybin != 0):\n synced = False\n rchecks = (xsll, nx, xsllw), (xslr, nx, xslrw), (xsul, nx, xsulw), (\n xsur, nx, xsurw), (ys, ny, ysw)\n for check in rchecks:\n val, size, widg = check\n if val is None or size is None or val + size - 1 > widg.imax:\n widg.config(bg=g.COL['error'])\n status = False\n if status:\n for index in range(nquad - 1):\n ys1 = self.ys[index].value()\n ny1 = self.ny[index].value()\n ysw2 = self.ys[index + 1]\n ys2 = ysw2.value()\n if any([(thing is None) for thing in (ys1, ny1, ys2)]\n ) or ys1 + ny1 > ys2:\n ysw2.config(bg=g.COL['error'])\n status = False\n if synced:\n self.sbutt.config(bg=g.COL['main'])\n self.sbutt.disable()\n else:\n if not self.frozen:\n self.sbutt.enable()\n self.sbutt.config(bg=g.COL['warn'])\n return status\n",
"role": "user"
},
{
"content": "check",
"role": "assistant"
}
] |
def x(self):
xbin = self.xbin.value()
ybin = self.ybin.value()
if xbin == 1 and ybin == 1:
self.sbutt.config(state='disable')
return
for n, (xsll, xsul, xslr, xsur, ys, nx, ny) in enumerate(self):
if (xsll - 1) % xbin != 0:
xsll = xbin * ((xsll - 1) // xbin) + 1
self.xsll[n].set(xsll)
if (xsul - 1) % xbin != 0:
xsul = xbin * ((xsul - 1) // xbin) + 1
self.xsul[n].set(xsul)
if (xslr - 1025) % xbin != 0:
xslr = xbin * ((xslr - 1025) // xbin) + 1025
self.xslr[n].set(xslr)
if (xsur - 1025) % xbin != 0:
xsur = xbin * ((xsur - 1025) // xbin) + 1025
self.xsur[n].set(xsur)
if ybin > 1 and (ys - 1) % ybin != 0:
ys = ybin * ((ys - 1) // ybin) + 1
self.ys[n].set(ys)
self.sbutt.config(bg=g.COL['main'])
self.sbutt.config(state='disable')
|
sync
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n xbin = self.xbin.value()\n ybin = self.ybin.value()\n if xbin == 1 and ybin == 1:\n self.sbutt.config(state='disable')\n return\n for n, (xsll, xsul, xslr, xsur, ys, nx, ny) in enumerate(self):\n if (xsll - 1) % xbin != 0:\n xsll = xbin * ((xsll - 1) // xbin) + 1\n self.xsll[n].set(xsll)\n if (xsul - 1) % xbin != 0:\n xsul = xbin * ((xsul - 1) // xbin) + 1\n self.xsul[n].set(xsul)\n if (xslr - 1025) % xbin != 0:\n xslr = xbin * ((xslr - 1025) // xbin) + 1025\n self.xslr[n].set(xslr)\n if (xsur - 1025) % xbin != 0:\n xsur = xbin * ((xsur - 1025) // xbin) + 1025\n self.xsur[n].set(xsur)\n if ybin > 1 and (ys - 1) % ybin != 0:\n ys = ybin * ((ys - 1) // ybin) + 1\n self.ys[n].set(ys)\n self.sbutt.config(bg=g.COL['main'])\n self.sbutt.config(state='disable')\n",
"role": "user"
},
{
"content": "sync",
"role": "assistant"
}
] |
def x(self):
for fields in zip(self.xsll, self.xsul, self.xslr, self.xsur, self.ys,
self.nx, self.ny):
for field in fields:
field.disable()
self.nquad.disable()
self.xbin.disable()
self.ybin.disable()
self.sbutt.disable()
self.frozen = True
|
freeze
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for fields in zip(self.xsll, self.xsul, self.xslr, self.xsur, self.ys,\n self.nx, self.ny):\n for field in fields:\n field.disable()\n self.nquad.disable()\n self.xbin.disable()\n self.ybin.disable()\n self.sbutt.disable()\n self.frozen = True\n",
"role": "user"
},
{
"content": "freeze",
"role": "assistant"
}
] |
def x(self):
nquad = self.nquad.value()
for label, xsll, xsul, xslr, xsur, ys, nx, ny in zip(self.label[:nquad],
self.xsll[:nquad], self.xsul[:nquad], self.xslr[:nquad], self.xsur[
:nquad], self.ys[:nquad], self.nx[:nquad], self.ny[:nquad]):
label.config(state='normal')
for thing in (xsll, xsul, xslr, xsur, ys, nx, ny):
thing.enable()
for label, xsll, xsul, xslr, xsur, ys, nx, ny in zip(self.label[nquad:],
self.xsll[nquad:], self.xsul[nquad:], self.xslr[nquad:], self.xsur[
nquad:], self.ys[nquad:], self.nx[nquad:], self.ny[nquad:]):
label.config(state='disable')
for thing in (xsll, xsul, xslr, xsur, ys, nx, ny):
thing.disable()
self.nquad.enable()
self.xbin.enable()
self.ybin.enable()
self.sbutt.enable()
|
enable
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n nquad = self.nquad.value()\n for label, xsll, xsul, xslr, xsur, ys, nx, ny in zip(self.label[:nquad],\n self.xsll[:nquad], self.xsul[:nquad], self.xslr[:nquad], self.xsur[\n :nquad], self.ys[:nquad], self.nx[:nquad], self.ny[:nquad]):\n label.config(state='normal')\n for thing in (xsll, xsul, xslr, xsur, ys, nx, ny):\n thing.enable()\n for label, xsll, xsul, xslr, xsur, ys, nx, ny in zip(self.label[nquad:],\n self.xsll[nquad:], self.xsul[nquad:], self.xslr[nquad:], self.xsur[\n nquad:], self.ys[nquad:], self.nx[nquad:], self.ny[nquad:]):\n label.config(state='disable')\n for thing in (xsll, xsul, xslr, xsur, ys, nx, ny):\n thing.disable()\n self.nquad.enable()\n self.xbin.enable()\n self.ybin.enable()\n self.sbutt.enable()\n",
"role": "user"
},
{
"content": "enable",
"role": "assistant"
}
] |
def x(self):
status = True
synced = True
xbin = self.xbin.value()
ybin = self.ybin.value()
nwin = self.nwin.value()
g = get_root(self).globals
for xsw, ysw, nxw, nyw in zip(self.xs[:nwin], self.ys[:nwin], self.nx[:
nwin], self.ny[:nwin]):
xsw.config(bg=g.COL['main'])
ysw.config(bg=g.COL['main'])
nxw.config(bg=g.COL['main'])
nyw.config(bg=g.COL['main'])
status = status if xsw.ok() else False
status = status if ysw.ok() else False
status = status if nxw.ok() else False
status = status if nyw.ok() else False
xs = xsw.value()
ys = ysw.value()
nx = nxw.value()
ny = nyw.value()
if nx is None or nx % xbin != 0:
nxw.config(bg=g.COL['error'])
status = False
elif nx // xbin % 4 != 0:
"""
The NGC collects pixel data in chunks before transmission.
As a result, to avoid loss of data from frames, the binned
x-size must be a multiple of 4.
"""
nxw.config(bg=g.COL['error'])
status = False
if ny is None or ny % ybin != 0:
nyw.config(bg=g.COL['error'])
status = False
if (xs is not None and ys is not None and nx is not None and ny is not
None):
if xs < 1025 and ((xs - 1) % xbin != 0 or (ys - 1) % ybin != 0
) or ((xs - 1025) % xbin != 0 or (ys - 1) % ybin != 0):
synced = False
if xs is None or nx is None or xs + nx - 1 > xsw.imax:
xsw.config(bg=g.COL['error'])
status = False
if ys is None or ny is None or ys + ny - 1 > ysw.imax:
ysw.config(bg=g.COL['error'])
status = False
if status:
n1 = 0
for ysw1, nyw1 in zip(self.ys[:nwin - 1], self.ny[:nwin - 1]):
ys1 = ysw1.value()
ny1 = nyw1.value()
n1 += 1
ysw2 = self.ys[n1]
ys2 = ysw2.value()
if ys2 < ys1 + ny1:
ysw2.config(bg=g.COL['error'])
status = False
if synced:
self.sbutt.config(bg=g.COL['main'])
self.sbutt.disable()
else:
if not self.frozen:
self.sbutt.enable()
self.sbutt.config(bg=g.COL['warn'])
return status
|
check
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n status = True\n synced = True\n xbin = self.xbin.value()\n ybin = self.ybin.value()\n nwin = self.nwin.value()\n g = get_root(self).globals\n for xsw, ysw, nxw, nyw in zip(self.xs[:nwin], self.ys[:nwin], self.nx[:\n nwin], self.ny[:nwin]):\n xsw.config(bg=g.COL['main'])\n ysw.config(bg=g.COL['main'])\n nxw.config(bg=g.COL['main'])\n nyw.config(bg=g.COL['main'])\n status = status if xsw.ok() else False\n status = status if ysw.ok() else False\n status = status if nxw.ok() else False\n status = status if nyw.ok() else False\n xs = xsw.value()\n ys = ysw.value()\n nx = nxw.value()\n ny = nyw.value()\n if nx is None or nx % xbin != 0:\n nxw.config(bg=g.COL['error'])\n status = False\n elif nx // xbin % 4 != 0:\n \"\"\"\n The NGC collects pixel data in chunks before transmission.\n As a result, to avoid loss of data from frames, the binned\n x-size must be a multiple of 4.\n \"\"\"\n nxw.config(bg=g.COL['error'])\n status = False\n if ny is None or ny % ybin != 0:\n nyw.config(bg=g.COL['error'])\n status = False\n if (xs is not None and ys is not None and nx is not None and ny is not\n None):\n if xs < 1025 and ((xs - 1) % xbin != 0 or (ys - 1) % ybin != 0\n ) or ((xs - 1025) % xbin != 0 or (ys - 1) % ybin != 0):\n synced = False\n if xs is None or nx is None or xs + nx - 1 > xsw.imax:\n xsw.config(bg=g.COL['error'])\n status = False\n if ys is None or ny is None or ys + ny - 1 > ysw.imax:\n ysw.config(bg=g.COL['error'])\n status = False\n if status:\n n1 = 0\n for ysw1, nyw1 in zip(self.ys[:nwin - 1], self.ny[:nwin - 1]):\n ys1 = ysw1.value()\n ny1 = nyw1.value()\n n1 += 1\n ysw2 = self.ys[n1]\n ys2 = ysw2.value()\n if ys2 < ys1 + ny1:\n ysw2.config(bg=g.COL['error'])\n status = False\n if synced:\n self.sbutt.config(bg=g.COL['main'])\n self.sbutt.disable()\n else:\n if not self.frozen:\n self.sbutt.enable()\n self.sbutt.config(bg=g.COL['warn'])\n return status\n",
"role": "user"
},
{
"content": "check",
"role": "assistant"
}
] |
def x(self, *args):
xbin = self.xbin.value()
ybin = self.ybin.value()
n = 0
for xs, ys, nx, ny in self:
if xbin > 1 and xs % xbin != 1:
if xs < 1025:
xs = xbin * ((xs - 1) // xbin) + 1
else:
xs = xbin * ((xs - 1025) // xbin) + 1025
self.xs[n].set(xs)
if ybin > 1 and ys % ybin != 1:
ys = ybin * ((ys - 1) // ybin) + 1
self.ys[n].set(ys)
n += 1
self.sbutt.config(bg=g.COL['main'])
self.sbutt.config(state='disable')
|
sync
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args):\n xbin = self.xbin.value()\n ybin = self.ybin.value()\n n = 0\n for xs, ys, nx, ny in self:\n if xbin > 1 and xs % xbin != 1:\n if xs < 1025:\n xs = xbin * ((xs - 1) // xbin) + 1\n else:\n xs = xbin * ((xs - 1025) // xbin) + 1025\n self.xs[n].set(xs)\n if ybin > 1 and ys % ybin != 1:\n ys = ybin * ((ys - 1) // ybin) + 1\n self.ys[n].set(ys)\n n += 1\n self.sbutt.config(bg=g.COL['main'])\n self.sbutt.config(state='disable')\n",
"role": "user"
},
{
"content": "sync",
"role": "assistant"
}
] |
def x(self):
for xs, ys, nx, ny in zip(self.xs, self.ys, self.nx, self.ny):
xs.disable()
ys.disable()
nx.disable()
ny.disable()
self.nwin.disable()
self.xbin.disable()
self.ybin.disable()
self.sbutt.disable()
self.frozen = True
|
freeze
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for xs, ys, nx, ny in zip(self.xs, self.ys, self.nx, self.ny):\n xs.disable()\n ys.disable()\n nx.disable()\n ny.disable()\n self.nwin.disable()\n self.xbin.disable()\n self.ybin.disable()\n self.sbutt.disable()\n self.frozen = True\n",
"role": "user"
},
{
"content": "freeze",
"role": "assistant"
}
] |
def x(self):
nwin = self.nwin.value()
for label, xs, ys, nx, ny in zip(self.label[:nwin], self.xs[:nwin],
self.ys[:nwin], self.nx[:nwin], self.ny[:nwin]):
label.config(state='normal')
xs.enable()
ys.enable()
nx.enable()
ny.enable()
for label, xs, ys, nx, ny in zip(self.label[nwin:], self.xs[nwin:],
self.ys[nwin:], self.nx[nwin:], self.ny[nwin:]):
label.config(state='disable')
xs.disable()
ys.disable()
nx.disable()
ny.disable()
self.nwin.enable()
self.xbin.enable()
self.ybin.enable()
self.sbutt.enable()
|
enable
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n nwin = self.nwin.value()\n for label, xs, ys, nx, ny in zip(self.label[:nwin], self.xs[:nwin],\n self.ys[:nwin], self.nx[:nwin], self.ny[:nwin]):\n label.config(state='normal')\n xs.enable()\n ys.enable()\n nx.enable()\n ny.enable()\n for label, xs, ys, nx, ny in zip(self.label[nwin:], self.xs[nwin:],\n self.ys[nwin:], self.nx[nwin:], self.ny[nwin:]):\n label.config(state='disable')\n xs.disable()\n ys.disable()\n nx.disable()\n ny.disable()\n self.nwin.enable()\n self.xbin.enable()\n self.ybin.enable()\n self.sbutt.enable()\n",
"role": "user"
},
{
"content": "enable",
"role": "assistant"
}
] |
def x(self, link_item_dict: Dict[str, LinkItem], folder: Path, log: bool=True
) ->Tuple[Dict[str, LinkItem], Dict[str, LinkItem]]:
succeed = {link: item for link, item in link_item_dict.items() if
folder.joinpath(item.name).is_file()}
lost = {link: item for link, item in link_item_dict.items() if link not in
succeed}
if lost and log:
for link, item in lost.items():
self.log.error(
f'Not downloaded: {self.info.host + link} - {item.name}')
return succeed, lost
|
check_download
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, link_item_dict: Dict[str, LinkItem], folder: Path, log: bool=True\n ) ->Tuple[Dict[str, LinkItem], Dict[str, LinkItem]]:\n succeed = {link: item for link, item in link_item_dict.items() if\n folder.joinpath(item.name).is_file()}\n lost = {link: item for link, item in link_item_dict.items() if link not in\n succeed}\n if lost and log:\n for link, item in lost.items():\n self.log.error(\n f'Not downloaded: {self.info.host + link} - {item.name}')\n return succeed, lost\n",
"role": "user"
},
{
"content": "check_download",
"role": "assistant"
}
] |
def x(self):
self.clean_up()
tools.delete_dir_rec(self._download_path)
if self._save_state_file.exists():
self._save_state_file.unlink()
|
delete_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.clean_up()\n tools.delete_dir_rec(self._download_path)\n if self._save_state_file.exists():\n self._save_state_file.unlink()\n",
"role": "user"
},
{
"content": "delete_data",
"role": "assistant"
}
] |
def x(self, url: str, folder: Path, name: str, delay: float=0) ->str:
while folder.joinpath(name).exists():
self.log.warning('already exists: ' + name)
name = name + '_d'
with self._downloader.request('GET', url, preload_content=False,
retries=urllib3.util.retry.Retry(3)) as reader:
if reader.status == 200:
with folder.joinpath(name).open(mode='wb') as out_file:
out_file.write(reader.data)
else:
raise HTTPError(f'{url} | {reader.status}')
if delay > 0:
time.sleep(delay)
return url
|
download_as_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url: str, folder: Path, name: str, delay: float=0) ->str:\n while folder.joinpath(name).exists():\n self.log.warning('already exists: ' + name)\n name = name + '_d'\n with self._downloader.request('GET', url, preload_content=False,\n retries=urllib3.util.retry.Retry(3)) as reader:\n if reader.status == 200:\n with folder.joinpath(name).open(mode='wb') as out_file:\n out_file.write(reader.data)\n else:\n raise HTTPError(f'{url} | {reader.status}')\n if delay > 0:\n time.sleep(delay)\n return url\n",
"role": "user"
},
{
"content": "download_as_file",
"role": "assistant"
}
] |
def x(self, link_item_dict: Dict[str, LinkItem], folder: Path, desc: str,
unit: str, delay: float=0) ->List[str]:
if 'delay' in self._options:
delay = self._options['delay']
if not link_item_dict:
return []
job_list = []
with ThreadPoolExecutor(max_workers=self._simul_downloads) as executor:
for link, item in link_item_dict.items():
job = executor.submit(self.download_as_file, link, folder, item
.name, delay)
job_list.append(job)
pbar = tqdm(as_completed(job_list), total=len(job_list), desc=desc,
unit=unit, leave=True, mininterval=1, ncols=100, disable=
dynamic_data.DISABLE_TQDM)
for _ in pbar:
pass
download_without_errors = []
for job in job_list:
try:
download_without_errors.append(job.result())
except HTTPError as ex:
self.log.warning('Failed to download: ' + str(ex))
return download_without_errors
|
download
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, link_item_dict: Dict[str, LinkItem], folder: Path, desc: str,\n unit: str, delay: float=0) ->List[str]:\n if 'delay' in self._options:\n delay = self._options['delay']\n if not link_item_dict:\n return []\n job_list = []\n with ThreadPoolExecutor(max_workers=self._simul_downloads) as executor:\n for link, item in link_item_dict.items():\n job = executor.submit(self.download_as_file, link, folder, item\n .name, delay)\n job_list.append(job)\n pbar = tqdm(as_completed(job_list), total=len(job_list), desc=desc,\n unit=unit, leave=True, mininterval=1, ncols=100, disable=\n dynamic_data.DISABLE_TQDM)\n for _ in pbar:\n pass\n download_without_errors = []\n for job in job_list:\n try:\n download_without_errors.append(job.result())\n except HTTPError as ex:\n self.log.warning('Failed to download: ' + str(ex))\n return download_without_errors\n",
"role": "user"
},
{
"content": "download",
"role": "assistant"
}
] |
def x(self, link_item_dict: Dict[str, LinkItem]) ->SaveState:
return SaveState(dynamic_data.SAVE_STATE_VERSION, self.info, self.
last_update, link_item_dict)
|
create_save_state
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, link_item_dict: Dict[str, LinkItem]) ->SaveState:\n return SaveState(dynamic_data.SAVE_STATE_VERSION, self.info, self.\n last_update, link_item_dict)\n",
"role": "user"
},
{
"content": "create_save_state",
"role": "assistant"
}
] |
def x(self, data_dict: Dict[str, LinkItem]):
json_data = json_format.MessageToJson(self._create_save_state(data_dict
).to_protobuf())
with self._save_state_file.open(mode='w', encoding='utf8') as writer:
writer.write(json_data)
|
save_save_state
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data_dict: Dict[str, LinkItem]):\n json_data = json_format.MessageToJson(self._create_save_state(data_dict\n ).to_protobuf())\n with self._save_state_file.open(mode='w', encoding='utf8') as writer:\n writer.write(json_data)\n",
"role": "user"
},
{
"content": "save_save_state",
"role": "assistant"
}
] |
def x(self) ->SaveState:
if not self._save_state_file.exists():
self.log.info('No savestate file found.')
return SaveState(dynamic_data.SAVE_STATE_VERSION, self.info,
datetime(1970, 1, 1), {})
savestat_proto = ''
with self._save_state_file.open(mode='r', encoding='utf8') as data_file:
try:
savestat_proto = json_format.Parse(data_file.read(),
SaveStateProto(), ignore_unknown_fields=False)
except ParseError:
raise PluginException(
f'Broken savestate json. Please fix or delete (you may lose data in this case) the file: {self._save_state_file}'
)
try:
save_state = SaveState.from_protobuf(savestat_proto)
except ValueError as ex:
raise PluginException(
f'Could not parse the protobuf {self._save_state_file}: {ex}')
else:
del savestat_proto
if save_state.version != dynamic_data.SAVE_STATE_VERSION:
raise PluginException(
'Different save state version handling is not implemented yet.')
if save_state.plugin_info.version != self.info.version:
raise PluginException(
'Different plugin version handling is not implemented yet.')
if save_state.plugin_info.name != self.name:
raise PluginException(
'Save state plugin ({name}) does not match the current ({cur_name}).'
.format(name=save_state.plugin_info.name, cur_name=self.name))
return save_state
|
load_save_state
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->SaveState:\n if not self._save_state_file.exists():\n self.log.info('No savestate file found.')\n return SaveState(dynamic_data.SAVE_STATE_VERSION, self.info,\n datetime(1970, 1, 1), {})\n savestat_proto = ''\n with self._save_state_file.open(mode='r', encoding='utf8') as data_file:\n try:\n savestat_proto = json_format.Parse(data_file.read(),\n SaveStateProto(), ignore_unknown_fields=False)\n except ParseError:\n raise PluginException(\n f'Broken savestate json. Please fix or delete (you may lose data in this case) the file: {self._save_state_file}'\n )\n try:\n save_state = SaveState.from_protobuf(savestat_proto)\n except ValueError as ex:\n raise PluginException(\n f'Could not parse the protobuf {self._save_state_file}: {ex}')\n else:\n del savestat_proto\n if save_state.version != dynamic_data.SAVE_STATE_VERSION:\n raise PluginException(\n 'Different save state version handling is not implemented yet.')\n if save_state.plugin_info.version != self.info.version:\n raise PluginException(\n 'Different plugin version handling is not implemented yet.')\n if save_state.plugin_info.name != self.name:\n raise PluginException(\n 'Save state plugin ({name}) does not match the current ({cur_name}).'\n .format(name=save_state.plugin_info.name, cur_name=self.name))\n return save_state\n",
"role": "user"
},
{
"content": "load_save_state",
"role": "assistant"
}
] |
def x(self, old_data: Dict[str, LinkItem]) ->Dict[str, LinkItem]:
if not self.download_data:
return {}
new_link_item_dict = {}
for link, link_item in tqdm(self.download_data.items(), desc=
'Compare with save', unit='item', leave=True, mininterval=1, ncols=
100, disable=dynamic_data.DISABLE_TQDM):
if link not in old_data or link_item.time > old_data[link].time:
new_link_item_dict[link] = link_item
return new_link_item_dict
|
get_updated_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, old_data: Dict[str, LinkItem]) ->Dict[str, LinkItem]:\n if not self.download_data:\n return {}\n new_link_item_dict = {}\n for link, link_item in tqdm(self.download_data.items(), desc=\n 'Compare with save', unit='item', leave=True, mininterval=1, ncols=\n 100, disable=dynamic_data.DISABLE_TQDM):\n if link not in old_data or link_item.time > old_data[link].time:\n new_link_item_dict[link] = link_item\n return new_link_item_dict\n",
"role": "user"
},
{
"content": "get_updated_data",
"role": "assistant"
}
] |
def x(self, base: Dict[str, LinkItem], new: Dict[str, LinkItem]):
if logging.INFO >= logging.getLevelName(dynamic_data.LOG_LEVEL):
for link, item in new.items():
if link in base:
self.log.info('Actualize item: ' + link + ' | ' + str(base[
link]) + ' -> ' + str(item))
base.update(new)
|
update_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, base: Dict[str, LinkItem], new: Dict[str, LinkItem]):\n if logging.INFO >= logging.getLevelName(dynamic_data.LOG_LEVEL):\n for link, item in new.items():\n if link in base:\n self.log.info('Actualize item: ' + link + ' | ' + str(base[\n link]) + ' -> ' + str(item))\n base.update(new)\n",
"role": "user"
},
{
"content": "update_dict",
"role": "assistant"
}
] |
def x(self, options: List[str]) ->Dict[str, str]:
options_dic = {}
for option in options:
cur_option = option.split('=')
if len(cur_option) != 2:
self.log.warning(f"'{option}' is not valid and will be ignored.")
options_dic[cur_option[0]] = cur_option[1]
return options_dic
|
get_options_dic
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, options: List[str]) ->Dict[str, str]:\n options_dic = {}\n for option in options:\n cur_option = option.split('=')\n if len(cur_option) != 2:\n self.log.warning(f\"'{option}' is not valid and will be ignored.\")\n options_dic[cur_option[0]] = cur_option[1]\n return options_dic\n",
"role": "user"
},
{
"content": "get_options_dic",
"role": "assistant"
}
] |
def x() ->Dict[str, pkg_resources.EntryPoint]:
return {entry.name: entry for entry in pkg_resources.iter_entry_points(
'unidown.plugin')}
|
get_plugins
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x() ->Dict[str, pkg_resources.EntryPoint]:\n return {entry.name: entry for entry in pkg_resources.iter_entry_points(\n 'unidown.plugin')}\n",
"role": "user"
},
{
"content": "get_plugins",
"role": "assistant"
}
] |
def x(t):
T = (t - Time('J2000')).to(u.year).value / 100
poly_pars = 84381.448, 46.815, 0.00059, 0.001813
eps = u.Quantity(polyval(T, poly_pars), u.arcsec)
y = np.tan(eps / 2) ** 2
poly_pars = 280.46646, 36000.76983, 0.0003032
L0 = u.Quantity(polyval(T, poly_pars), u.deg)
poly_pars = 357.52911, 35999.05029, 0.0001537
M = u.Quantity(polyval(T, poly_pars), u.deg)
poly_pars = 0.016708634, -4.2037e-05, -1.267e-07
e = polyval(T, poly_pars)
eot = (y * np.sin(2 * L0) - 2 * e * np.sin(M) + 4 * e * y * np.sin(M) *
np.cos(2 * L0) - 0.5 * y ** 2 * np.sin(4 * L0) - 5 * e ** 2 * np.
sin(2 * M) / 4) * u.rad
return eot.to(u.hourangle)
|
equation_of_time
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(t):\n T = (t - Time('J2000')).to(u.year).value / 100\n poly_pars = 84381.448, 46.815, 0.00059, 0.001813\n eps = u.Quantity(polyval(T, poly_pars), u.arcsec)\n y = np.tan(eps / 2) ** 2\n poly_pars = 280.46646, 36000.76983, 0.0003032\n L0 = u.Quantity(polyval(T, poly_pars), u.deg)\n poly_pars = 357.52911, 35999.05029, 0.0001537\n M = u.Quantity(polyval(T, poly_pars), u.deg)\n poly_pars = 0.016708634, -4.2037e-05, -1.267e-07\n e = polyval(T, poly_pars)\n eot = (y * np.sin(2 * L0) - 2 * e * np.sin(M) + 4 * e * y * np.sin(M) *\n np.cos(2 * L0) - 0.5 * y ** 2 * np.sin(4 * L0) - 5 * e ** 2 * np.\n sin(2 * M) / 4) * u.rad\n return eot.to(u.hourangle)\n",
"role": "user"
},
{
"content": "equation_of_time",
"role": "assistant"
}
] |
def x(t, LST, location, prev_next):
raSun = coord.get_sun(t).ra
with warnings.catch_warnings():
warnings.simplefilter('ignore')
lon = location.longitude
solarTime = LST - raSun + 12 * u.hourangle - lon
first_guess = Time(u.d * int(t.mjd) + u.hour * solarTime.wrap_at('360d'
).hour, format='mjd')
eot = _equation_of_time(first_guess)
first_guess = first_guess - u.hour * eot.value
if prev_next == 'next':
mask = first_guess < t
rise_set_time = first_guess + mask * u.sday
else:
mask = first_guess > t
rise_set_time = first_guess - mask * u.sday
return rise_set_time
|
astropy_time_from_LST
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(t, LST, location, prev_next):\n raSun = coord.get_sun(t).ra\n with warnings.catch_warnings():\n warnings.simplefilter('ignore')\n lon = location.longitude\n solarTime = LST - raSun + 12 * u.hourangle - lon\n first_guess = Time(u.d * int(t.mjd) + u.hour * solarTime.wrap_at('360d'\n ).hour, format='mjd')\n eot = _equation_of_time(first_guess)\n first_guess = first_guess - u.hour * eot.value\n if prev_next == 'next':\n mask = first_guess < t\n rise_set_time = first_guess + mask * u.sday\n else:\n mask = first_guess > t\n rise_set_time = first_guess - mask * u.sday\n return rise_set_time\n",
"role": "user"
},
{
"content": "astropy_time_from_LST",
"role": "assistant"
}
] |
def x(t, target, location, prev_next, rise_set):
dec = target.transform_to(coord.ICRS).dec
with warnings.catch_warnings():
warnings.simplefilter('ignore')
lat = location.latitude
cosHA = -np.tan(dec) * np.tan(lat.radian)
HA = coord.Longitude(np.fabs(np.arccos(cosHA)))
if rise_set == 'rising':
HA = -HA
LST = HA + target.ra
return _astropy_time_from_LST(t, LST, location, prev_next)
|
rise_set_trig
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(t, target, location, prev_next, rise_set):\n dec = target.transform_to(coord.ICRS).dec\n with warnings.catch_warnings():\n warnings.simplefilter('ignore')\n lat = location.latitude\n cosHA = -np.tan(dec) * np.tan(lat.radian)\n HA = coord.Longitude(np.fabs(np.arccos(cosHA)))\n if rise_set == 'rising':\n HA = -HA\n LST = HA + target.ra\n return _astropy_time_from_LST(t, LST, location, prev_next)\n",
"role": "user"
},
{
"content": "rise_set_trig",
"role": "assistant"
}
] |
def x(t, target_name, location, prev_next, rise_set, horizon):
target = coord.get_body(target_name, t)
t0 = _rise_set_trig(t, target, location, prev_next, rise_set)
grid = t0 + np.linspace(-4 * u.hour, 4 * u.hour, 10)
altaz_frame = coord.AltAz(obstime=grid, location=location)
target = coord.get_body(target_name, grid)
altaz = target.transform_to(altaz_frame)
time_limits, altitude_limits = _horiz_cross(altaz.obstime, altaz.alt,
rise_set, horizon)
return _two_point_interp(time_limits, altitude_limits, horizon)
|
calc_riseset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(t, target_name, location, prev_next, rise_set, horizon):\n target = coord.get_body(target_name, t)\n t0 = _rise_set_trig(t, target, location, prev_next, rise_set)\n grid = t0 + np.linspace(-4 * u.hour, 4 * u.hour, 10)\n altaz_frame = coord.AltAz(obstime=grid, location=location)\n target = coord.get_body(target_name, grid)\n altaz = target.transform_to(altaz_frame)\n time_limits, altitude_limits = _horiz_cross(altaz.obstime, altaz.alt,\n rise_set, horizon)\n return _two_point_interp(time_limits, altitude_limits, horizon)\n",
"role": "user"
},
{
"content": "calc_riseset",
"role": "assistant"
}
] |
def x(t, alt, rise_set, horizon=0 * u.degree):
if rise_set == 'rising':
condition = (alt[:-1] < horizon) * (alt[1:] > horizon)
elif rise_set == 'setting':
condition = (alt[:-1] > horizon) * (alt[1:] < horizon)
if np.count_nonzero(condition) == 0:
warnmsg = (
'Target does not cross horizon={} within 8 hours of trigonometric estimate'
.format(horizon))
warnings.warn(warnmsg)
time_inds = np.nan
times = [np.nan, np.nan]
altitudes = [np.nan, np.nan]
else:
time_inds = np.nonzero(condition)[0][0]
times = t[time_inds:time_inds + 2]
altitudes = alt[time_inds:time_inds + 2]
return times, altitudes
|
horiz_cross
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(t, alt, rise_set, horizon=0 * u.degree):\n if rise_set == 'rising':\n condition = (alt[:-1] < horizon) * (alt[1:] > horizon)\n elif rise_set == 'setting':\n condition = (alt[:-1] > horizon) * (alt[1:] < horizon)\n if np.count_nonzero(condition) == 0:\n warnmsg = (\n 'Target does not cross horizon={} within 8 hours of trigonometric estimate'\n .format(horizon))\n warnings.warn(warnmsg)\n time_inds = np.nan\n times = [np.nan, np.nan]\n altitudes = [np.nan, np.nan]\n else:\n time_inds = np.nonzero(condition)[0][0]\n times = t[time_inds:time_inds + 2]\n altitudes = alt[time_inds:time_inds + 2]\n return times, altitudes\n",
"role": "user"
},
{
"content": "horiz_cross",
"role": "assistant"
}
] |
def x(times, altitudes, horizon=0 * u.deg):
if not isinstance(times, Time):
return MAGIC_TIME
else:
slope = (altitudes[1] - altitudes[0]) / (times[1].jd - times[0].jd)
return Time(times[1].jd - ((altitudes[1] - horizon) / slope).value,
format='jd')
|
two_point_interp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(times, altitudes, horizon=0 * u.deg):\n if not isinstance(times, Time):\n return MAGIC_TIME\n else:\n slope = (altitudes[1] - altitudes[0]) / (times[1].jd - times[0].jd)\n return Time(times[1].jd - ((altitudes[1] - horizon) / slope).value,\n format='jd')\n",
"role": "user"
},
{
"content": "two_point_interp",
"role": "assistant"
}
] |
def x(main_dir: Path, logfilepath: Path):
global MAIN_DIR, TEMP_DIR, DOWNLOAD_DIR, SAVESTAT_DIR, LOGFILE_PATH
MAIN_DIR = main_dir
TEMP_DIR = MAIN_DIR.joinpath(Path('temp/'))
DOWNLOAD_DIR = MAIN_DIR.joinpath(Path('downloads/'))
SAVESTAT_DIR = MAIN_DIR.joinpath(Path('savestates/'))
LOGFILE_PATH = MAIN_DIR.joinpath(logfilepath)
|
init_dirs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(main_dir: Path, logfilepath: Path):\n global MAIN_DIR, TEMP_DIR, DOWNLOAD_DIR, SAVESTAT_DIR, LOGFILE_PATH\n MAIN_DIR = main_dir\n TEMP_DIR = MAIN_DIR.joinpath(Path('temp/'))\n DOWNLOAD_DIR = MAIN_DIR.joinpath(Path('downloads/'))\n SAVESTAT_DIR = MAIN_DIR.joinpath(Path('savestates/'))\n LOGFILE_PATH = MAIN_DIR.joinpath(logfilepath)\n",
"role": "user"
},
{
"content": "init_dirs",
"role": "assistant"
}
] |
def x():
global MAIN_DIR, TEMP_DIR, DOWNLOAD_DIR, SAVESTAT_DIR, LOGFILE_PATH, USING_CORES, LOG_LEVEL, DISABLE_TQDM, SAVE_STATE_VERSION
MAIN_DIR = Path('./')
TEMP_DIR = MAIN_DIR.joinpath(Path('temp/'))
DOWNLOAD_DIR = MAIN_DIR.joinpath(Path('downloads/'))
SAVESTAT_DIR = MAIN_DIR.joinpath(Path('savestates/'))
LOGFILE_PATH = MAIN_DIR.joinpath(Path('UniDown.log'))
USING_CORES = 1
LOG_LEVEL = 'INFO'
DISABLE_TQDM = False
SAVE_STATE_VERSION = Version('1')
|
reset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n global MAIN_DIR, TEMP_DIR, DOWNLOAD_DIR, SAVESTAT_DIR, LOGFILE_PATH, USING_CORES, LOG_LEVEL, DISABLE_TQDM, SAVE_STATE_VERSION\n MAIN_DIR = Path('./')\n TEMP_DIR = MAIN_DIR.joinpath(Path('temp/'))\n DOWNLOAD_DIR = MAIN_DIR.joinpath(Path('downloads/'))\n SAVESTAT_DIR = MAIN_DIR.joinpath(Path('savestates/'))\n LOGFILE_PATH = MAIN_DIR.joinpath(Path('UniDown.log'))\n USING_CORES = 1\n LOG_LEVEL = 'INFO'\n DISABLE_TQDM = False\n SAVE_STATE_VERSION = Version('1')\n",
"role": "user"
},
{
"content": "reset",
"role": "assistant"
}
] |
def x():
dirs = [MAIN_DIR, TEMP_DIR, DOWNLOAD_DIR, SAVESTAT_DIR]
for directory in dirs:
if directory.exists() and not directory.is_dir():
raise FileExistsError(str(directory.resolve()) +
' cannot be used as a directory.')
|
check_dirs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n dirs = [MAIN_DIR, TEMP_DIR, DOWNLOAD_DIR, SAVESTAT_DIR]\n for directory in dirs:\n if directory.exists() and not directory.is_dir():\n raise FileExistsError(str(directory.resolve()) +\n ' cannot be used as a directory.')\n",
"role": "user"
},
{
"content": "check_dirs",
"role": "assistant"
}
] |
def x(hs):
name, value, comment = yield_three([val.strip().strip("'") for val in
filter(None, re.split('[=/]+', hs))])
try:
len(comment)
except:
pass
else:
comment = '/'.join(comment)
return name, value, comment
|
parse_hstring
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hs):\n name, value, comment = yield_three([val.strip().strip(\"'\") for val in\n filter(None, re.split('[=/]+', hs))])\n try:\n len(comment)\n except:\n pass\n else:\n comment = '/'.join(comment)\n return name, value, comment\n",
"role": "user"
},
{
"content": "parse_hstring",
"role": "assistant"
}
] |
def x(telpars):
pars = [val.strip() for val in ';'.join(telpars).split(';') if val.
strip() != '']
with warnings.catch_warnings():
warnings.simplefilter('ignore', fits.verify.VerifyWarning)
hdr = fits.Header(map(parse_hstring, pars))
return hdr
|
create_header_from_telpars
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(telpars):\n pars = [val.strip() for val in ';'.join(telpars).split(';') if val.\n strip() != '']\n with warnings.catch_warnings():\n warnings.simplefilter('ignore', fits.verify.VerifyWarning)\n hdr = fits.Header(map(parse_hstring, pars))\n return hdr\n",
"role": "user"
},
{
"content": "create_header_from_telpars",
"role": "assistant"
}
] |
def x(t, telpars):
now = Time.now().mjd
hdr = create_header_from_telpars(telpars)
vals = {k: v for k, v in hdr.items() if k in VARIABLE_GTC_KEYS}
vals['MJD'] = now
vals['LST'] = Longitude(vals['LST'], unit=u.hour).hourangle
t.add_row(vals)
|
add_gtc_header_table_row
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(t, telpars):\n now = Time.now().mjd\n hdr = create_header_from_telpars(telpars)\n vals = {k: v for k, v in hdr.items() if k in VARIABLE_GTC_KEYS}\n vals['MJD'] = now\n vals['LST'] = Longitude(vals['LST'], unit=u.hour).hourangle\n t.add_row(vals)\n",
"role": "user"
},
{
"content": "add_gtc_header_table_row",
"role": "assistant"
}
] |
def x(cls, proto: PluginInfoProto) ->PluginInfo:
if proto.name == '':
raise ValueError(
'name of PluginInfo does not exist or is empty inside the protobuf.'
)
elif proto.version == '':
raise ValueError(
'version of PluginInfo does not exist or is empty inside the protobuf.'
)
elif proto.host == '':
raise ValueError(
'host of PluginInfo does not exist or is empty inside the protobuf.'
)
return cls(proto.name, proto.version, proto.host)
|
from_protobuf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, proto: PluginInfoProto) ->PluginInfo:\n if proto.name == '':\n raise ValueError(\n 'name of PluginInfo does not exist or is empty inside the protobuf.'\n )\n elif proto.version == '':\n raise ValueError(\n 'version of PluginInfo does not exist or is empty inside the protobuf.'\n )\n elif proto.host == '':\n raise ValueError(\n 'host of PluginInfo does not exist or is empty inside the protobuf.'\n )\n return cls(proto.name, proto.version, proto.host)\n",
"role": "user"
},
{
"content": "from_protobuf",
"role": "assistant"
}
] |
def x(self) ->PluginInfoProto:
proto = PluginInfoProto()
proto.name = self.name
proto.version = str(self.version)
proto.host = self.host
return proto
|
to_protobuf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->PluginInfoProto:\n proto = PluginInfoProto()\n proto.name = self.name\n proto.version = str(self.version)\n proto.host = self.host\n return proto\n",
"role": "user"
},
{
"content": "to_protobuf",
"role": "assistant"
}
] |
def x(cls, proto: SaveStateProto) ->SaveState:
data_dict = {}
for key, link_item in proto.data.items():
data_dict[key] = LinkItem.from_protobuf(link_item)
if proto.version == '':
raise ValueError(
'version of SaveState does not exist or is empty inside the protobuf.'
)
try:
version = Version(proto.version)
except InvalidVersion:
raise InvalidVersion(
f'Plugin version is not PEP440 conform: {proto.version}')
return cls(version, PluginInfo.from_protobuf(proto.plugin_info),
Timestamp.ToDatetime(proto.last_update), data_dict)
|
from_protobuf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, proto: SaveStateProto) ->SaveState:\n data_dict = {}\n for key, link_item in proto.data.items():\n data_dict[key] = LinkItem.from_protobuf(link_item)\n if proto.version == '':\n raise ValueError(\n 'version of SaveState does not exist or is empty inside the protobuf.'\n )\n try:\n version = Version(proto.version)\n except InvalidVersion:\n raise InvalidVersion(\n f'Plugin version is not PEP440 conform: {proto.version}')\n return cls(version, PluginInfo.from_protobuf(proto.plugin_info),\n Timestamp.ToDatetime(proto.last_update), data_dict)\n",
"role": "user"
},
{
"content": "from_protobuf",
"role": "assistant"
}
] |
def x(self) ->SaveStateProto:
result = SaveStateProto()
result.version = str(self.version)
result.last_update.CopyFrom(datetime_to_timestamp(self.last_update))
result.plugin_info.CopyFrom(self.plugin_info.to_protobuf())
for key, link_item in self.link_item_dict.items():
result.data[key].CopyFrom(link_item.to_protobuf())
return result
|
to_protobuf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->SaveStateProto:\n result = SaveStateProto()\n result.version = str(self.version)\n result.last_update.CopyFrom(datetime_to_timestamp(self.last_update))\n result.plugin_info.CopyFrom(self.plugin_info.to_protobuf())\n for key, link_item in self.link_item_dict.items():\n result.data[key].CopyFrom(link_item.to_protobuf())\n return result\n",
"role": "user"
},
{
"content": "to_protobuf",
"role": "assistant"
}
] |
def x(word, gender=MALE, role=SUBJECT):
return article_definite.get((gender[:1].lower(), role[:3].lower()))
|
definite_article
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(word, gender=MALE, role=SUBJECT):\n return article_definite.get((gender[:1].lower(), role[:3].lower()))\n",
"role": "user"
},
{
"content": "definite_article",
"role": "assistant"
}
] |
def x(word, gender=MALE, role=SUBJECT):
return article_indefinite.get((gender[:1].lower(), role[:3].lower()))
|
indefinite_article
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(word, gender=MALE, role=SUBJECT):\n return article_indefinite.get((gender[:1].lower(), role[:3].lower()))\n",
"role": "user"
},
{
"content": "indefinite_article",
"role": "assistant"
}
] |
def x(word, function=INDEFINITE, gender=MALE, role=SUBJECT):
return function == DEFINITE and definite_article(word, gender, role
) or indefinite_article(word, gender, role)
|
article
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(word, function=INDEFINITE, gender=MALE, role=SUBJECT):\n return function == DEFINITE and definite_article(word, gender, role\n ) or indefinite_article(word, gender, role)\n",
"role": "user"
},
{
"content": "article",
"role": "assistant"
}
] |
def x(word, article=INDEFINITE, gender=MALE, role=SUBJECT):
return '%s %s' % (_article(word, article, gender, role), word)
|
referenced
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(word, article=INDEFINITE, gender=MALE, role=SUBJECT):\n return '%s %s' % (_article(word, article, gender, role), word)\n",
"role": "user"
},
{
"content": "referenced",
"role": "assistant"
}
] |
def x(word, pos=NOUN):
w = word.lower()
if pos == NOUN:
if w.endswith(gender_masculine):
return MASCULINE
if w.endswith(gender_feminine):
return FEMININE
if w.endswith(gender_neuter):
return NEUTER
for g in gender_majority_vote:
if w.endswith(gender_majority_vote[g]):
return g
|
gender
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(word, pos=NOUN):\n w = word.lower()\n if pos == NOUN:\n if w.endswith(gender_masculine):\n return MASCULINE\n if w.endswith(gender_feminine):\n return FEMININE\n if w.endswith(gender_neuter):\n return NEUTER\n for g in gender_majority_vote:\n if w.endswith(gender_majority_vote[g]):\n return g\n",
"role": "user"
},
{
"content": "gender",
"role": "assistant"
}
] |
def x(word, pos=NOUN, gender=MALE, role=SUBJECT, custom={}):
w = word.lower().capitalize()
if word in custom:
return custom[word]
if pos == NOUN:
for a, b in plural_inflections:
if w.endswith(a):
return w[:-len(a)] + b
if w.startswith('ge'):
return w
if w.endswith('gie'):
return w
if w.endswith('e'):
return w + 'n'
if w.endswith('ien'):
return w[:-2] + 'um'
if w.endswith(('au', 'ein', 'eit', 'er', 'en', 'el', 'chen', 'mus',
u'tät', 'tik', 'tum', 'u')):
return w
if w.endswith(('ant', 'ei', 'enz', 'ion', 'ist', 'or', 'schaft',
'tur', 'ung')):
return w + 'en'
if w.endswith('in'):
return w + 'nen'
if w.endswith('nis'):
return w + 'se'
if w.endswith(('eld', 'ild', 'ind')):
return w + 'er'
if w.endswith('o'):
return w + 's'
if w.endswith('a'):
return w[:-1] + 'en'
if w.endswith(('all', 'and', 'ang', 'ank', 'atz', 'auf', 'ock',
'opf', 'uch', 'uss')):
umlaut = w[-3]
umlaut = umlaut.replace('a', u'ä')
umlaut = umlaut.replace('o', u'ö')
umlaut = umlaut.replace('u', u'ü')
return w[:-3] + umlaut + w[-2:] + 'e'
for a, b in (('ag', u'äge'), ('ann', u'änner'), ('aum', u'äume'), (
'aus', u'äuser'), ('zug', u'züge')):
if w.endswith(a):
return w[:-len(a)] + b
return w + 'e'
return w
|
pluralize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(word, pos=NOUN, gender=MALE, role=SUBJECT, custom={}):\n w = word.lower().capitalize()\n if word in custom:\n return custom[word]\n if pos == NOUN:\n for a, b in plural_inflections:\n if w.endswith(a):\n return w[:-len(a)] + b\n if w.startswith('ge'):\n return w\n if w.endswith('gie'):\n return w\n if w.endswith('e'):\n return w + 'n'\n if w.endswith('ien'):\n return w[:-2] + 'um'\n if w.endswith(('au', 'ein', 'eit', 'er', 'en', 'el', 'chen', 'mus',\n u'tät', 'tik', 'tum', 'u')):\n return w\n if w.endswith(('ant', 'ei', 'enz', 'ion', 'ist', 'or', 'schaft',\n 'tur', 'ung')):\n return w + 'en'\n if w.endswith('in'):\n return w + 'nen'\n if w.endswith('nis'):\n return w + 'se'\n if w.endswith(('eld', 'ild', 'ind')):\n return w + 'er'\n if w.endswith('o'):\n return w + 's'\n if w.endswith('a'):\n return w[:-1] + 'en'\n if w.endswith(('all', 'and', 'ang', 'ank', 'atz', 'auf', 'ock',\n 'opf', 'uch', 'uss')):\n umlaut = w[-3]\n umlaut = umlaut.replace('a', u'ä')\n umlaut = umlaut.replace('o', u'ö')\n umlaut = umlaut.replace('u', u'ü')\n return w[:-3] + umlaut + w[-2:] + 'e'\n for a, b in (('ag', u'äge'), ('ann', u'änner'), ('aum', u'äume'), (\n 'aus', u'äuser'), ('zug', u'züge')):\n if w.endswith(a):\n return w[:-len(a)] + b\n return w + 'e'\n return w\n",
"role": "user"
},
{
"content": "pluralize",
"role": "assistant"
}
] |
def x(word, pos=NOUN, gender=MALE, role=SUBJECT, custom={}):
w = word.lower().capitalize()
if word in custom:
return custom[word]
if word in singular:
return singular[word]
if pos == NOUN:
for a, b in singular_inflections:
if w.endswith(a):
return w[:-len(a)] + b
for suffix in ('nen', 'en', 'n', 'e', 'er', 's'):
if w.endswith(suffix):
w = w[:-len(suffix)]
break
if w.endswith(('rr', 'rv', 'nz')):
return w + 'e'
return w
return w
|
singularize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(word, pos=NOUN, gender=MALE, role=SUBJECT, custom={}):\n w = word.lower().capitalize()\n if word in custom:\n return custom[word]\n if word in singular:\n return singular[word]\n if pos == NOUN:\n for a, b in singular_inflections:\n if w.endswith(a):\n return w[:-len(a)] + b\n for suffix in ('nen', 'en', 'n', 'e', 'er', 's'):\n if w.endswith(suffix):\n w = w[:-len(suffix)]\n break\n if w.endswith(('rr', 'rv', 'nz')):\n return w + 'e'\n return w\n return w\n",
"role": "user"
},
{
"content": "singularize",
"role": "assistant"
}
] |
def x(adjective, gender=MALE, role=SUBJECT, article=None):
w, g, c, a = adjective.lower(), gender[:1].lower(), role[:3].lower(
), article and article.lower() or None
if w in adjective_attributive:
return adjective_attributive[w]
if a is None or a in ('mir', 'dir', 'ihm') or a in ('ein', 'etwas', 'mehr'
) or a.startswith(('all', 'mehrer', 'wenig', 'viel')):
return w + adjectives_strong.get((g, c), '')
if a.startswith(('ein', 'kein')) or a.startswith(('mein', 'dein',
'sein', 'ihr', 'Ihr', 'unser', 'euer')):
return w + adjectives_mixed.get((g, c), '')
if a in ('arm', 'alt', 'all', 'der', 'die', 'das', 'den', 'dem', 'des'
) or a.startswith(('derselb', 'derjenig', 'jed', 'jeglich', 'jen',
'manch', 'dies', 'solch', 'welch')):
return w + adjectives_weak.get((g, c), '')
return w + adjectives_strong.get((g, c), '')
|
attributive
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(adjective, gender=MALE, role=SUBJECT, article=None):\n w, g, c, a = adjective.lower(), gender[:1].lower(), role[:3].lower(\n ), article and article.lower() or None\n if w in adjective_attributive:\n return adjective_attributive[w]\n if a is None or a in ('mir', 'dir', 'ihm') or a in ('ein', 'etwas', 'mehr'\n ) or a.startswith(('all', 'mehrer', 'wenig', 'viel')):\n return w + adjectives_strong.get((g, c), '')\n if a.startswith(('ein', 'kein')) or a.startswith(('mein', 'dein',\n 'sein', 'ihr', 'Ihr', 'unser', 'euer')):\n return w + adjectives_mixed.get((g, c), '')\n if a in ('arm', 'alt', 'all', 'der', 'die', 'das', 'den', 'dem', 'des'\n ) or a.startswith(('derselb', 'derjenig', 'jed', 'jeglich', 'jen',\n 'manch', 'dies', 'solch', 'welch')):\n return w + adjectives_weak.get((g, c), '')\n return w + adjectives_strong.get((g, c), '')\n",
"role": "user"
},
{
"content": "attributive",
"role": "assistant"
}
] |
def x(adjective):
w = adjective.lower()
if len(w) > 3:
for suffix in ('em', 'en', 'er', 'es', 'e'):
if w.endswith(suffix):
b = w[:max(-len(suffix), -(len(w) - 3))]
if b.endswith('bl'):
b = b[:-1] + 'el'
if b.endswith('pr'):
b = b[:-1] + 'er'
return b
return w
|
predicative
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(adjective):\n w = adjective.lower()\n if len(w) > 3:\n for suffix in ('em', 'en', 'er', 'es', 'e'):\n if w.endswith(suffix):\n b = w[:max(-len(suffix), -(len(w) - 3))]\n if b.endswith('bl'):\n b = b[:-1] + 'el'\n if b.endswith('pr'):\n b = b[:-1] + 'er'\n return b\n return w\n",
"role": "user"
},
{
"content": "predicative",
"role": "assistant"
}
] |
def x(adjective, suffix=COMPARATIVE):
b = predicative(adjective)
if suffix == SUPERLATIVE and b.endswith(('s', u'ß')):
suffix = suffix[1:]
return adjective[:len(b)] + suffix + adjective[len(b):]
|
grade
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(adjective, suffix=COMPARATIVE):\n b = predicative(adjective)\n if suffix == SUPERLATIVE and b.endswith(('s', u'ß')):\n suffix = suffix[1:]\n return adjective[:len(b)] + suffix + adjective[len(b):]\n",
"role": "user"
},
{
"content": "grade",
"role": "assistant"
}
] |
def x(self, verb):
v = verb.lower()
if not (v.startswith('ge') and v.endswith('t')):
for prefix in prefixes:
if v.startswith(prefix) and v[len(prefix):] in self.inflections:
return prefix + self.inflections[v[len(prefix):]]
b, suffix = ' ' in v and v.split()[:2] or (v, '')
if b.endswith(('ln', 'rn')):
return b
for x in ('test', 'est', 'end', 'ten', 'tet', 'en', 'et', 'te', 'st',
'e', 't'):
if b.endswith(x):
b = b[:-len(x)]
break
for x, y in (('ieb', 'eib'), ('ied', 'eid'), ('ief', 'auf'), ('ieg',
'eig'), ('iel', 'alt'), ('ien', 'ein'), ('iess', 'ass'), (u'ieß',
u'aß'), ('iff', 'eif'), ('iss', 'eiss'), (u'iß', u'eiß'), ('it',
'eid'), ('oss', 'iess'), (u'öss', 'iess')):
if b.endswith(x):
b = b[:-len(x)] + y
break
b = b.replace('eeiss', 'eiss')
b = b.replace('eeid', 'eit')
if not b.endswith(('e', 'l')) and not (b.endswith('er') and len(b) >= 3 and
not b[-3] in VOWELS):
b = b + 'e'
if b.endswith(('hl', 'll', 'ul', 'eil')):
b = b + 'e'
if b.startswith('ge') and v.endswith('t'):
b = b[2:]
if b.endswith(('lnde', 'rnde')):
b = b[:-3]
if b.endswith(('ae', 'al', u'öe', u'üe')):
b = b.rstrip('e') + 'te'
if b.endswith(u'äl'):
b = b + 'e'
return suffix + b + 'n'
|
find_lemma
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, verb):\n v = verb.lower()\n if not (v.startswith('ge') and v.endswith('t')):\n for prefix in prefixes:\n if v.startswith(prefix) and v[len(prefix):] in self.inflections:\n return prefix + self.inflections[v[len(prefix):]]\n b, suffix = ' ' in v and v.split()[:2] or (v, '')\n if b.endswith(('ln', 'rn')):\n return b\n for x in ('test', 'est', 'end', 'ten', 'tet', 'en', 'et', 'te', 'st',\n 'e', 't'):\n if b.endswith(x):\n b = b[:-len(x)]\n break\n for x, y in (('ieb', 'eib'), ('ied', 'eid'), ('ief', 'auf'), ('ieg',\n 'eig'), ('iel', 'alt'), ('ien', 'ein'), ('iess', 'ass'), (u'ieß',\n u'aß'), ('iff', 'eif'), ('iss', 'eiss'), (u'iß', u'eiß'), ('it',\n 'eid'), ('oss', 'iess'), (u'öss', 'iess')):\n if b.endswith(x):\n b = b[:-len(x)] + y\n break\n b = b.replace('eeiss', 'eiss')\n b = b.replace('eeid', 'eit')\n if not b.endswith(('e', 'l')) and not (b.endswith('er') and len(b) >= 3 and\n not b[-3] in VOWELS):\n b = b + 'e'\n if b.endswith(('hl', 'll', 'ul', 'eil')):\n b = b + 'e'\n if b.startswith('ge') and v.endswith('t'):\n b = b[2:]\n if b.endswith(('lnde', 'rnde')):\n b = b[:-3]\n if b.endswith(('ae', 'al', u'öe', u'üe')):\n b = b.rstrip('e') + 'te'\n if b.endswith(u'äl'):\n b = b + 'e'\n return suffix + b + 'n'\n",
"role": "user"
},
{
"content": "find_lemma",
"role": "assistant"
}
] |
def x(self, verb):
v = verb.lower()
b = b0 = re.sub('en$', '', re.sub('ln$', 'l', re.sub('rn$', 'r', v)))
x, x1, x2 = '', '', ''
for prefix in prefix_separable:
if v.startswith(prefix):
b, x = b[len(prefix):], prefix
x1 = (' ' + x).rstrip()
x2 = x + 'ge'
break
pl = b.endswith('el') and b[:-2] + 'l' or b
pw = v.endswith(('ln', 'rn')) and v or b + 'en'
pr = b.endswith(('d', 't')) and b + 'e' or b
p2 = pr.endswith(('s', 'z')) and pr + 't' or pr + 'st'
pp = v.endswith(('en', 'ln', 'rn')) and v + 'd' or v + 'end'
pt = encode_sz(pr) + 't'
ge = (v.startswith(prefix_inseparable) or b.endswith(('r', 't'))
) and pt or 'ge' + pt
ge = x and x + 'ge' + pt or ge
s1 = encode_sz(pl)
s2 = encode_sz(pt)
lexeme = a = [v, pl + 'e' + x1, p2 + x1, pr + 't' + x1, pw + x1, pr +
't' + x1, pp, pt + 'e' + x1, pt + 'est' + x1, pt + 'e' + x1, pt +
'en' + x1, pt + 'et' + x1, ge, b + 'e' + x1, pr + 't' + x1, x + pw,
s1 + 'e' + x1, s1 + 'est' + x1, s1 + 'en' + x1, s1 + 'et' + x1, s2 +
'e' + x1, s2 + 'est' + x1, s2 + 'en' + x1, s2 + 'et' + x1]
if encode_sz(v) in self:
a = self[encode_sz(v)]
a = [decode_sz(v) for v in a[:7]] + a[7:13] + [decode_sz(v) for v in
a[13:20]] + a[20:]
return [(a[i] or lexeme[i]) for i in range(len(a))]
|
find_lexeme
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, verb):\n v = verb.lower()\n b = b0 = re.sub('en$', '', re.sub('ln$', 'l', re.sub('rn$', 'r', v)))\n x, x1, x2 = '', '', ''\n for prefix in prefix_separable:\n if v.startswith(prefix):\n b, x = b[len(prefix):], prefix\n x1 = (' ' + x).rstrip()\n x2 = x + 'ge'\n break\n pl = b.endswith('el') and b[:-2] + 'l' or b\n pw = v.endswith(('ln', 'rn')) and v or b + 'en'\n pr = b.endswith(('d', 't')) and b + 'e' or b\n p2 = pr.endswith(('s', 'z')) and pr + 't' or pr + 'st'\n pp = v.endswith(('en', 'ln', 'rn')) and v + 'd' or v + 'end'\n pt = encode_sz(pr) + 't'\n ge = (v.startswith(prefix_inseparable) or b.endswith(('r', 't'))\n ) and pt or 'ge' + pt\n ge = x and x + 'ge' + pt or ge\n s1 = encode_sz(pl)\n s2 = encode_sz(pt)\n lexeme = a = [v, pl + 'e' + x1, p2 + x1, pr + 't' + x1, pw + x1, pr +\n 't' + x1, pp, pt + 'e' + x1, pt + 'est' + x1, pt + 'e' + x1, pt +\n 'en' + x1, pt + 'et' + x1, ge, b + 'e' + x1, pr + 't' + x1, x + pw,\n s1 + 'e' + x1, s1 + 'est' + x1, s1 + 'en' + x1, s1 + 'et' + x1, s2 +\n 'e' + x1, s2 + 'est' + x1, s2 + 'en' + x1, s2 + 'et' + x1]\n if encode_sz(v) in self:\n a = self[encode_sz(v)]\n a = [decode_sz(v) for v in a[:7]] + a[7:13] + [decode_sz(v) for v in\n a[13:20]] + a[20:]\n return [(a[i] or lexeme[i]) for i in range(len(a))]\n",
"role": "user"
},
{
"content": "find_lexeme",
"role": "assistant"
}
] |
def x(self, verb, parse=True):
tenses = _Verbs.tenses(self, verb, parse)
if len(tenses) == 0:
for prefix in prefix_separable:
if verb.startswith(prefix):
tenses = _Verbs.tenses(self, verb[len(prefix):] + ' ' +
prefix, parse)
break
return tenses
|
tenses
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, verb, parse=True):\n tenses = _Verbs.tenses(self, verb, parse)\n if len(tenses) == 0:\n for prefix in prefix_separable:\n if verb.startswith(prefix):\n tenses = _Verbs.tenses(self, verb[len(prefix):] + ' ' +\n prefix, parse)\n break\n return tenses\n",
"role": "user"
},
{
"content": "tenses",
"role": "assistant"
}
] |
def x(dataset):
def x(words):
if isinstance(words, basestring):
return word_tokenize(words, include_punc=False)
else:
return words
all_words = chain.from_iterable(tokenize(words) for words, _ in dataset)
return set(all_words)
|
get_words_from_dataset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dataset):\n\n def x(words):\n if isinstance(words, basestring):\n return word_tokenize(words, include_punc=False)\n else:\n return words\n all_words = chain.from_iterable(tokenize(words) for words, _ in dataset)\n return set(all_words)\n",
"role": "user"
},
{
"content": "get_words_from_dataset",
"role": "assistant"
}
] |
def x(document, train_set):
word_features = _get_words_from_dataset(train_set)
tokens = _get_document_tokens(document)
features = dict((u'contains({0})'.format(word), word in tokens) for
word in word_features)
return features
|
basic_extractor
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(document, train_set):\n word_features = _get_words_from_dataset(train_set)\n tokens = _get_document_tokens(document)\n features = dict((u'contains({0})'.format(word), word in tokens) for\n word in word_features)\n return features\n",
"role": "user"
},
{
"content": "basic_extractor",
"role": "assistant"
}
] |
def x(document):
tokens = _get_document_tokens(document)
features = dict((u'contains({0})'.format(w), True) for w in tokens)
return features
|
contains_extractor
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(document):\n tokens = _get_document_tokens(document)\n features = dict((u'contains({0})'.format(w), True) for w in tokens)\n return features\n",
"role": "user"
},
{
"content": "contains_extractor",
"role": "assistant"
}
] |
def x(self, dataset, format=None):
if not format:
format_class = formats.detect(dataset)
else:
if format not in formats.AVAILABLE.keys():
raise ValueError("'{0}' format not supported.".format(format))
format_class = formats.AVAILABLE[format]
return format_class(dataset).to_iterable()
|
read_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dataset, format=None):\n if not format:\n format_class = formats.detect(dataset)\n else:\n if format not in formats.AVAILABLE.keys():\n raise ValueError(\"'{0}' format not supported.\".format(format))\n format_class = formats.AVAILABLE[format]\n return format_class(dataset).to_iterable()\n",
"role": "user"
},
{
"content": "read_data",
"role": "assistant"
}
] |
def x(self, text):
try:
return self.feature_extractor(text, self.train_set)
except (TypeError, AttributeError):
return self.feature_extractor(text)
|
extract_features
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n try:\n return self.feature_extractor(text, self.train_set)\n except (TypeError, AttributeError):\n return self.feature_extractor(text)\n",
"role": "user"
},
{
"content": "extract_features",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
try:
self.classifier = self.nltk_class.train(self.train_features, *args,
**kwargs)
return self.classifier
except AttributeError:
raise ValueError(
'NLTKClassifier must have a nltk_class variable that is not None.')
|
train
|
[
{
"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 try:\n self.classifier = self.nltk_class.train(self.train_features, *args,\n **kwargs)\n return self.classifier\n except AttributeError:\n raise ValueError(\n 'NLTKClassifier must have a nltk_class variable that is not None.')\n",
"role": "user"
},
{
"content": "train",
"role": "assistant"
}
] |
def x(self, text):
text_features = self.extract_features(text)
return self.classifier.classify(text_features)
|
classify
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n text_features = self.extract_features(text)\n return self.classifier.classify(text_features)\n",
"role": "user"
},
{
"content": "classify",
"role": "assistant"
}
] |
def x(self, test_set, format=None):
if isinstance(test_set, basestring):
test_data = self._read_data(test_set)
else:
test_data = test_set
test_features = [(self.extract_features(d), c) for d, c in test_data]
return nltk.classify.accuracy(self.classifier, test_features)
|
accuracy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, test_set, format=None):\n if isinstance(test_set, basestring):\n test_data = self._read_data(test_set)\n else:\n test_data = test_set\n test_features = [(self.extract_features(d), c) for d, c in test_data]\n return nltk.classify.accuracy(self.classifier, test_features)\n",
"role": "user"
},
{
"content": "accuracy",
"role": "assistant"
}
] |
def x(self, new_data, *args, **kwargs):
self.train_set += new_data
self.train_features = [(self.extract_features(d), c) for d, c in self.
train_set]
try:
self.classifier = self.nltk_class.train(self.train_features, *args,
**kwargs)
except AttributeError:
raise ValueError(
'NLTKClassifier must have a nltk_class variable that is not None.')
return True
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, new_data, *args, **kwargs):\n self.train_set += new_data\n self.train_features = [(self.extract_features(d), c) for d, c in self.\n train_set]\n try:\n self.classifier = self.nltk_class.train(self.train_features, *args,\n **kwargs)\n except AttributeError:\n raise ValueError(\n 'NLTKClassifier must have a nltk_class variable that is not None.')\n return True\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, text):
text_features = self.extract_features(text)
return self.classifier.prob_classify(text_features)
|
prob_classify
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n text_features = self.extract_features(text)\n return self.classifier.prob_classify(text_features)\n",
"role": "user"
},
{
"content": "prob_classify",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
self.classifier = self.nltk_class.train(self.positive_features, self.
unlabeled_features, self.positive_prob_prior)
return self.classifier
|
train
|
[
{
"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 self.classifier = self.nltk_class.train(self.positive_features, self.\n unlabeled_features, self.positive_prob_prior)\n return self.classifier\n",
"role": "user"
},
{
"content": "train",
"role": "assistant"
}
] |
def x(self, new_positive_data=None, new_unlabeled_data=None,
positive_prob_prior=0.5, *args, **kwargs):
self.positive_prob_prior = positive_prob_prior
if new_positive_data:
self.positive_set += new_positive_data
self.positive_features += [self.extract_features(d) for d in
new_positive_data]
if new_unlabeled_data:
self.unlabeled_set += new_unlabeled_data
self.unlabeled_features += [self.extract_features(d) for d in
new_unlabeled_data]
self.classifier = self.nltk_class.train(self.positive_features, self.
unlabeled_features, self.positive_prob_prior, *args, **kwargs)
return True
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, new_positive_data=None, new_unlabeled_data=None,\n positive_prob_prior=0.5, *args, **kwargs):\n self.positive_prob_prior = positive_prob_prior\n if new_positive_data:\n self.positive_set += new_positive_data\n self.positive_features += [self.extract_features(d) for d in\n new_positive_data]\n if new_unlabeled_data:\n self.unlabeled_set += new_unlabeled_data\n self.unlabeled_features += [self.extract_features(d) for d in\n new_unlabeled_data]\n self.classifier = self.nltk_class.train(self.positive_features, self.\n unlabeled_features, self.positive_prob_prior, *args, **kwargs)\n return True\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, text):
feats = self.extract_features(text)
return self.classifier.prob_classify(feats)
|
prob_classify
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n feats = self.extract_features(text)\n return self.classifier.prob_classify(feats)\n",
"role": "user"
},
{
"content": "prob_classify",
"role": "assistant"
}
] |
def x(self, text):
if text.strip() == '':
return []
parsed_sentences = self._parse_text(text)
_lemmalist = []
for s in parsed_sentences:
tokens = s.split()
for i, t in enumerate(tokens):
if t.startswith('/'):
continue
w, tag, phrase, role, lemma = t.split('/')
lemma = lemma.replace(u'ß', 'ss')
lemma = lemma.strip().replace('forwardslash', '/')
if w[0].isupper() and i > 0:
lemma = lemma.title()
elif tag.startswith('N') and i == 0:
lemma = lemma.title()
if w in string.punctuation or lemma == '/':
continue
else:
lemma = lemma
_lemmalist.append((lemma, tag))
return _lemmalist
|
lemmatize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n if text.strip() == '':\n return []\n parsed_sentences = self._parse_text(text)\n _lemmalist = []\n for s in parsed_sentences:\n tokens = s.split()\n for i, t in enumerate(tokens):\n if t.startswith('/'):\n continue\n w, tag, phrase, role, lemma = t.split('/')\n lemma = lemma.replace(u'ß', 'ss')\n lemma = lemma.strip().replace('forwardslash', '/')\n if w[0].isupper() and i > 0:\n lemma = lemma.title()\n elif tag.startswith('N') and i == 0:\n lemma = lemma.title()\n if w in string.punctuation or lemma == '/':\n continue\n else:\n lemma = lemma\n _lemmalist.append((lemma, tag))\n return _lemmalist\n",
"role": "user"
},
{
"content": "lemmatize",
"role": "assistant"
}
] |
def x(self, text):
text = text.replace('/', ' FORWARDSLASH ')
_tokenized = ' '.join(self.tokenizer.tokenize(text))
parsed_text = pattern_parse(_tokenized, tokenize=False, lemmata=True)
return parsed_text.split('\n')
|
parse_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n text = text.replace('/', ' FORWARDSLASH ')\n _tokenized = ' '.join(self.tokenizer.tokenize(text))\n parsed_text = pattern_parse(_tokenized, tokenize=False, lemmata=True)\n return parsed_text.split('\\n')\n",
"role": "user"
},
{
"content": "parse_text",
"role": "assistant"
}
] |
def x(string, pattern):
p = pattern
try:
if p[:1] == WILDCARD and (p[-1:] == WILDCARD and p[1:-1] in string or
string.endswith(p[1:])):
return True
if p[-1:] == WILDCARD and not p[-2:-1] == '\\' and string.startswith(p
[:-1]):
return True
if p == string:
return True
if WILDCARD in p[1:-1]:
p = p.split(WILDCARD)
return string.startswith(p[0]) and string.endswith(p[-1])
except:
if isinstance(p, regexp):
return p.search(string) is not None
return False
|
match
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string, pattern):\n p = pattern\n try:\n if p[:1] == WILDCARD and (p[-1:] == WILDCARD and p[1:-1] in string or\n string.endswith(p[1:])):\n return True\n if p[-1:] == WILDCARD and not p[-2:-1] == '\\\\' and string.startswith(p\n [:-1]):\n return True\n if p == string:\n return True\n if WILDCARD in p[1:-1]:\n p = p.split(WILDCARD)\n return string.startswith(p[0]) and string.endswith(p[-1])\n except:\n if isinstance(p, regexp):\n return p.search(string) is not None\n return False\n",
"role": "user"
},
{
"content": "match",
"role": "assistant"
}
] |
def x(iterable):
seen = set()
return [x for x in iterable if x not in seen and not seen.add(x)]
|
unique
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(iterable):\n seen = set()\n return [x for x in iterable if x not in seen and not seen.add(x)]\n",
"role": "user"
},
{
"content": "unique",
"role": "assistant"
}
] |
def x(*args, **kwargs):
p = [[]]
for iterable in (map(tuple, args) * kwargs.get('repeat', 1)):
p = [(x + [y]) for x in p for y in iterable]
for p in p:
yield tuple(p)
|
product
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n p = [[]]\n for iterable in (map(tuple, args) * kwargs.get('repeat', 1)):\n p = [(x + [y]) for x in p for y in iterable]\n for p in p:\n yield tuple(p)\n",
"role": "user"
},
{
"content": "product",
"role": "assistant"
}
] |
def x(iterable, optional=lambda x: False):
iterable = tuple(iterable)
o = [optional(x) for x in iterable]
a = set()
for p in product([False, True], repeat=sum(o)):
p = list(p)
v = [(b and (b and p.pop(0))) for b in o]
v = tuple(iterable[i] for i in xrange(len(v)) if not v[i])
a.add(v)
return sorted(a, cmp=lambda x, y: len(y) - len(x))
|
variations
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(iterable, optional=lambda x: False):\n iterable = tuple(iterable)\n o = [optional(x) for x in iterable]\n a = set()\n for p in product([False, True], repeat=sum(o)):\n p = list(p)\n v = [(b and (b and p.pop(0))) for b in o]\n v = tuple(iterable[i] for i in xrange(len(v)) if not v[i])\n a.add(v)\n return sorted(a, cmp=lambda x, y: len(y) - len(x))\n",
"role": "user"
},
{
"content": "variations",
"role": "assistant"
}
] |
def x(pattern, *args, **kwargs):
id, p = repr(pattern) + repr(args), pattern
if id in _cache and not kwargs:
return _cache[id]
if isinstance(pattern, basestring):
p = Pattern.fromstring(pattern, *args, **kwargs)
if isinstance(pattern, regexp):
p = Pattern([Constraint(words=[pattern], taxonomy=kwargs.get(
'taxonomy', TAXONOMY))], *args, **kwargs)
if len(_cache) > _CACHE_SIZE:
_cache.clear()
if isinstance(p, Pattern) and not kwargs:
_cache[id] = p
if isinstance(p, Pattern):
return p
else:
raise TypeError("can't compile '%s' object" % pattern.__class__.
__name__)
|
compile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern, *args, **kwargs):\n id, p = repr(pattern) + repr(args), pattern\n if id in _cache and not kwargs:\n return _cache[id]\n if isinstance(pattern, basestring):\n p = Pattern.fromstring(pattern, *args, **kwargs)\n if isinstance(pattern, regexp):\n p = Pattern([Constraint(words=[pattern], taxonomy=kwargs.get(\n 'taxonomy', TAXONOMY))], *args, **kwargs)\n if len(_cache) > _CACHE_SIZE:\n _cache.clear()\n if isinstance(p, Pattern) and not kwargs:\n _cache[id] = p\n if isinstance(p, Pattern):\n return p\n else:\n raise TypeError(\"can't compile '%s' object\" % pattern.__class__.\n __name__)\n",
"role": "user"
},
{
"content": "compile",
"role": "assistant"
}
] |
def x(pattern, string, *args, **kwargs):
return compile(pattern, *args, **kwargs).scan(string)
|
scan
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern, string, *args, **kwargs):\n return compile(pattern, *args, **kwargs).scan(string)\n",
"role": "user"
},
{
"content": "scan",
"role": "assistant"
}
] |
def x(pattern, sentence, *args, **kwargs):
return compile(pattern, *args, **kwargs).match(sentence)
|
match
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern, sentence, *args, **kwargs):\n return compile(pattern, *args, **kwargs).match(sentence)\n",
"role": "user"
},
{
"content": "match",
"role": "assistant"
}
] |
def x(pattern, sentence, *args, **kwargs):
return compile(pattern, *args, **kwargs).search(sentence)
|
search
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern, sentence, *args, **kwargs):\n return compile(pattern, *args, **kwargs).search(sentence)\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x(self, kv):
if kv[0] in self:
self.__delitem__(kv[0])
self.__setitem__(kv[0], kv[1])
|
push
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, kv):\n if kv[0] in self:\n self.__delitem__(kv[0])\n self.__setitem__(kv[0], kv[1])\n",
"role": "user"
},
{
"content": "push",
"role": "assistant"
}
] |
def x(self, term, type=None, value=None):
term = self._normalize(term)
type = self._normalize(type)
self.setdefault(term, (odict(), odict()))[0].push((type, True))
self.setdefault(type, (odict(), odict()))[1].push((term, True))
self._values[term] = value
|
append
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, term, type=None, value=None):\n term = self._normalize(term)\n type = self._normalize(type)\n self.setdefault(term, (odict(), odict()))[0].push((type, True))\n self.setdefault(type, (odict(), odict()))[1].push((term, True))\n self._values[term] = value\n",
"role": "user"
},
{
"content": "append",
"role": "assistant"
}
] |
def x(self, term, **kwargs):
term = self._normalize(term)
if dict.__contains__(self, term):
return self[term][0].keys()[-1]
for classifier in self.classifiers:
v = classifier.parents(term, **kwargs)
if v:
return v[0]
|
classify
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, term, **kwargs):\n term = self._normalize(term)\n if dict.__contains__(self, term):\n return self[term][0].keys()[-1]\n for classifier in self.classifiers:\n v = classifier.parents(term, **kwargs)\n if v:\n return v[0]\n",
"role": "user"
},
{
"content": "classify",
"role": "assistant"
}
] |
def x(self, term, recursive=False, **kwargs):
def x(term, recursive=False, visited={}, **kwargs):
if term in visited:
return []
visited[term], a = True, []
if dict.__contains__(self, term):
a = self[term][0].keys()
for classifier in self.classifiers:
a.extend(classifier.parents(term, **kwargs) or [])
if recursive:
for w in a:
a += dfs(w, recursive, visited, **kwargs)
return a
return unique(dfs(self._normalize(term), recursive, {}, **kwargs))
|
parents
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, term, recursive=False, **kwargs):\n\n def x(term, recursive=False, visited={}, **kwargs):\n if term in visited:\n return []\n visited[term], a = True, []\n if dict.__contains__(self, term):\n a = self[term][0].keys()\n for classifier in self.classifiers:\n a.extend(classifier.parents(term, **kwargs) or [])\n if recursive:\n for w in a:\n a += dfs(w, recursive, visited, **kwargs)\n return a\n return unique(dfs(self._normalize(term), recursive, {}, **kwargs))\n",
"role": "user"
},
{
"content": "parents",
"role": "assistant"
}
] |
def x(self, term, **kwargs):
term = self._normalize(term)
if term in self._values:
return self._values[term]
for classifier in self.classifiers:
v = classifier.value(term, **kwargs)
if v is not None:
return v
|
value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, term, **kwargs):\n term = self._normalize(term)\n if term in self._values:\n return self._values[term]\n for classifier in self.classifiers:\n v = classifier.value(term, **kwargs)\n if v is not None:\n return v\n",
"role": "user"
},
{
"content": "value",
"role": "assistant"
}
] |
def x(cls, s, **kwargs):
C = cls(**kwargs)
s = s.strip()
s = s.strip('{}')
s = s.strip()
for i in range(3):
if s.startswith('^'):
s = s[1:]
C.first = True
if s.endswith('+') and not s.endswith('\\+'):
s = s[0:-1]
C.multiple = True
if s.endswith('?') and not s.endswith('\\?'):
s = s[0:-1]
C.optional = True
if s.startswith('(') and s.endswith(')'):
s = s[1:-1]
C.optional = True
if s.startswith('[') and s.endswith(']'):
s = s[1:-1]
s = re.sub('^\\\\\\^', '^', s)
s = re.sub('\\\\\\+$', '+', s)
s = s.replace('\\_', '&uscore;')
s = s.replace('_', ' ')
s = s.replace('&uscore;', '_')
s = s.replace('&lparen;', '(')
s = s.replace('&rparen;', ')')
s = s.replace('[', '[')
s = s.replace(']', ']')
s = s.replace('&lcurly;', '{')
s = s.replace('&rcurly;', '}')
s = s.replace('\\(', '(')
s = s.replace('\\)', ')')
s = s.replace('\\[', '[')
s = s.replace('\\]', ']')
s = s.replace('\\{', '{')
s = s.replace('\\}', '}')
s = s.replace('\\*', '*')
s = s.replace('\\?', '?')
s = s.replace('\\+', '+')
s = s.replace('\\^', '^')
s = s.replace('\\|', '⊢')
s = s.split('|')
s = [v.replace('⊢', '|').strip() for v in s]
for v in s:
C._append(v)
return C
|
fromstring
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, s, **kwargs):\n C = cls(**kwargs)\n s = s.strip()\n s = s.strip('{}')\n s = s.strip()\n for i in range(3):\n if s.startswith('^'):\n s = s[1:]\n C.first = True\n if s.endswith('+') and not s.endswith('\\\\+'):\n s = s[0:-1]\n C.multiple = True\n if s.endswith('?') and not s.endswith('\\\\?'):\n s = s[0:-1]\n C.optional = True\n if s.startswith('(') and s.endswith(')'):\n s = s[1:-1]\n C.optional = True\n if s.startswith('[') and s.endswith(']'):\n s = s[1:-1]\n s = re.sub('^\\\\\\\\\\\\^', '^', s)\n s = re.sub('\\\\\\\\\\\\+$', '+', s)\n s = s.replace('\\\\_', '&uscore;')\n s = s.replace('_', ' ')\n s = s.replace('&uscore;', '_')\n s = s.replace('&lparen;', '(')\n s = s.replace('&rparen;', ')')\n s = s.replace('[', '[')\n s = s.replace(']', ']')\n s = s.replace('&lcurly;', '{')\n s = s.replace('&rcurly;', '}')\n s = s.replace('\\\\(', '(')\n s = s.replace('\\\\)', ')')\n s = s.replace('\\\\[', '[')\n s = s.replace('\\\\]', ']')\n s = s.replace('\\\\{', '{')\n s = s.replace('\\\\}', '}')\n s = s.replace('\\\\*', '*')\n s = s.replace('\\\\?', '?')\n s = s.replace('\\\\+', '+')\n s = s.replace('\\\\^', '^')\n s = s.replace('\\\\|', '⊢')\n s = s.split('|')\n s = [v.replace('⊢', '|').strip() for v in s]\n for v in s:\n C._append(v)\n return C\n",
"role": "user"
},
{
"content": "fromstring",
"role": "assistant"
}
] |
def x(self, word):
if self.custom is not None and self.custom(word) is False:
return False
if self.first and word.index > 0:
return False
if self.exclude and self.exclude.match(word):
return False
if self.tags:
if find(lambda w: _match(word.tag, w), self.tags) is None:
return False
if self.chunks:
ch = word.chunk and word.chunk.tag or None
if find(lambda w: _match(ch, w), self.chunks) is None:
return False
if self.roles:
R = word.chunk and [r2 for r1, r2 in word.chunk.relations] or []
if find(lambda w: w in R, self.roles) is None:
return False
b = True
if len(self.words) + len(self.taxa) > 0:
s1 = word.string.lower()
s2 = word.lemma
b = False
for w in itertools.chain(self.words, self.taxa):
try:
if ' ' in w and (s1 in w or s2 and s2 in w or '*' in w):
s1 = word.chunk and word.chunk.string.lower() or s1
s2 = word.chunk and ' '.join([(x or '') for x in word.
chunk.lemmata]) or s2
except:
s1 = s1
s2 = None
if _match(s1, w):
b = True
break
if s2 and _match(s2, w):
b = True
break
if self.taxa and (not self.words or self.words and not b):
for s in (word.string, word.lemma, word.chunk and word.chunk.string or
None, word.chunk and ' '.join([(x or '') for x in word.chunk.
lemmata]) or None):
if s is not None:
if self.taxonomy.case_sensitive is False:
s = s.lower()
for p in self.taxonomy.parents(s, recursive=True):
if find(lambda s: p == s, self.taxa):
return True
return b
|
match
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, word):\n if self.custom is not None and self.custom(word) is False:\n return False\n if self.first and word.index > 0:\n return False\n if self.exclude and self.exclude.match(word):\n return False\n if self.tags:\n if find(lambda w: _match(word.tag, w), self.tags) is None:\n return False\n if self.chunks:\n ch = word.chunk and word.chunk.tag or None\n if find(lambda w: _match(ch, w), self.chunks) is None:\n return False\n if self.roles:\n R = word.chunk and [r2 for r1, r2 in word.chunk.relations] or []\n if find(lambda w: w in R, self.roles) is None:\n return False\n b = True\n if len(self.words) + len(self.taxa) > 0:\n s1 = word.string.lower()\n s2 = word.lemma\n b = False\n for w in itertools.chain(self.words, self.taxa):\n try:\n if ' ' in w and (s1 in w or s2 and s2 in w or '*' in w):\n s1 = word.chunk and word.chunk.string.lower() or s1\n s2 = word.chunk and ' '.join([(x or '') for x in word.\n chunk.lemmata]) or s2\n except:\n s1 = s1\n s2 = None\n if _match(s1, w):\n b = True\n break\n if s2 and _match(s2, w):\n b = True\n break\n if self.taxa and (not self.words or self.words and not b):\n for s in (word.string, word.lemma, word.chunk and word.chunk.string or\n None, word.chunk and ' '.join([(x or '') for x in word.chunk.\n lemmata]) or None):\n if s is not None:\n if self.taxonomy.case_sensitive is False:\n s = s.lower()\n for p in self.taxonomy.parents(s, recursive=True):\n if find(lambda s: p == s, self.taxa):\n return True\n return b\n",
"role": "user"
},
{
"content": "match",
"role": "assistant"
}
] |
def x(cls, s, *args, **kwargs):
s = s.replace('\\(', '&lparen;')
s = s.replace('\\)', '&rparen;')
s = s.replace('\\[', '[')
s = s.replace('\\]', ']')
s = s.replace('\\{', '&lcurly;')
s = s.replace('\\}', '&rcurly;')
p = []
i = 0
for m in re.finditer('\\[.*?\\]|\\(.*?\\)', s):
p.append(s[i:m.start()])
p.append(s[m.start():m.end()].replace(' ', '&space;'))
i = m.end()
p.append(s[i:])
s = ''.join(p)
s = s.replace('][', '] [')
s = s.replace(')(', ') (')
s = s.replace('\\|', '⊢')
s = re.sub('\\s+\\|\\s+', '|', s)
s = re.sub('\\s+', ' ', s)
s = re.sub('\\{\\s+', '{', s)
s = re.sub('\\s+\\}', '}', s)
s = s.split(' ')
s = [v.replace('&space;', ' ') for v in s]
P = cls([], *args, **kwargs)
G, O, i = [], [], 0
for s in s:
constraint = Constraint.fromstring(s.strip('{}'), taxonomy=kwargs.
get('taxonomy', TAXONOMY))
constraint.index = len(P.sequence)
P.sequence.append(constraint)
while s.startswith('{'):
s = s[1:]
G.append((i, []))
i += 1
O.append([])
for g in G:
g[1].append(constraint)
while s.endswith('}'):
s = s[:-1]
if G:
O[G[-1][0]] = G[-1][1]
G.pop()
P.groups = [g for g in O if g]
return P
|
fromstring
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, s, *args, **kwargs):\n s = s.replace('\\\\(', '&lparen;')\n s = s.replace('\\\\)', '&rparen;')\n s = s.replace('\\\\[', '[')\n s = s.replace('\\\\]', ']')\n s = s.replace('\\\\{', '&lcurly;')\n s = s.replace('\\\\}', '&rcurly;')\n p = []\n i = 0\n for m in re.finditer('\\\\[.*?\\\\]|\\\\(.*?\\\\)', s):\n p.append(s[i:m.start()])\n p.append(s[m.start():m.end()].replace(' ', '&space;'))\n i = m.end()\n p.append(s[i:])\n s = ''.join(p)\n s = s.replace('][', '] [')\n s = s.replace(')(', ') (')\n s = s.replace('\\\\|', '⊢')\n s = re.sub('\\\\s+\\\\|\\\\s+', '|', s)\n s = re.sub('\\\\s+', ' ', s)\n s = re.sub('\\\\{\\\\s+', '{', s)\n s = re.sub('\\\\s+\\\\}', '}', s)\n s = s.split(' ')\n s = [v.replace('&space;', ' ') for v in s]\n P = cls([], *args, **kwargs)\n G, O, i = [], [], 0\n for s in s:\n constraint = Constraint.fromstring(s.strip('{}'), taxonomy=kwargs.\n get('taxonomy', TAXONOMY))\n constraint.index = len(P.sequence)\n P.sequence.append(constraint)\n while s.startswith('{'):\n s = s[1:]\n G.append((i, []))\n i += 1\n O.append([])\n for g in G:\n g[1].append(constraint)\n while s.endswith('}'):\n s = s[:-1]\n if G:\n O[G[-1][0]] = G[-1][1]\n G.pop()\n P.groups = [g for g in O if g]\n return P\n",
"role": "user"
},
{
"content": "fromstring",
"role": "assistant"
}
] |
def x(self, string):
w = (constraint.words for constraint in self.sequence if not constraint
.optional)
w = itertools.chain(*w)
w = [w.strip(WILDCARD) for w in w if WILDCARD not in w[1:-1]]
if w and not any(w in string.lower() for w in w):
return False
return True
|
scan
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string):\n w = (constraint.words for constraint in self.sequence if not constraint\n .optional)\n w = itertools.chain(*w)\n w = [w.strip(WILDCARD) for w in w if WILDCARD not in w[1:-1]]\n if w and not any(w in string.lower() for w in w):\n return False\n return True\n",
"role": "user"
},
{
"content": "scan",
"role": "assistant"
}
] |
def x(self, sentence):
if sentence.__class__.__name__ == 'Sentence':
pass
elif isinstance(sentence, list) or sentence.__class__.__name__ == 'Text':
a = []
[a.extend(self.search(s)) for s in sentence]
return a
elif isinstance(sentence, basestring):
sentence = Sentence(sentence)
elif isinstance(sentence, Match) and len(sentence) > 0:
sentence = sentence[0].sentence.slice(sentence[0].index, sentence[-
1].index + 1)
a = []
v = self._variations()
u = {}
m = self.match(sentence, _v=v)
while m:
a.append(m)
m = self.match(sentence, start=m.words[-1].index + 1, _v=v, _u=u)
return a
|
search
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sentence):\n if sentence.__class__.__name__ == 'Sentence':\n pass\n elif isinstance(sentence, list) or sentence.__class__.__name__ == 'Text':\n a = []\n [a.extend(self.search(s)) for s in sentence]\n return a\n elif isinstance(sentence, basestring):\n sentence = Sentence(sentence)\n elif isinstance(sentence, Match) and len(sentence) > 0:\n sentence = sentence[0].sentence.slice(sentence[0].index, sentence[-\n 1].index + 1)\n a = []\n v = self._variations()\n u = {}\n m = self.match(sentence, _v=v)\n while m:\n a.append(m)\n m = self.match(sentence, start=m.words[-1].index + 1, _v=v, _u=u)\n return a\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x(self, sentence, start=0, _v=None, _u=None):
if sentence.__class__.__name__ == 'Sentence':
pass
elif isinstance(sentence, list) or sentence.__class__.__name__ == 'Text':
return find(lambda m, s: m is not None, ((self.match(s, start, _v),
s) for s in sentence))[0]
elif isinstance(sentence, basestring):
sentence = Sentence(sentence)
elif isinstance(sentence, Match) and len(sentence) > 0:
sentence = sentence[0].sentence.slice(sentence[0].index, sentence[-
1].index + 1)
a = []
for sequence in (_v is not None and _v or self._variations()):
if _u is not None and id(sequence) in _u:
continue
m = self._match(sequence, sentence, start)
if m is not None:
a.append((m.words[0].index, len(m.words), m))
if m is not None and m.words[0].index == start:
return m
if m is None and _u is not None:
_u[id(sequence)] = False
if len(a) > 0:
return sorted(a)[0][-1]
|
match
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sentence, start=0, _v=None, _u=None):\n if sentence.__class__.__name__ == 'Sentence':\n pass\n elif isinstance(sentence, list) or sentence.__class__.__name__ == 'Text':\n return find(lambda m, s: m is not None, ((self.match(s, start, _v),\n s) for s in sentence))[0]\n elif isinstance(sentence, basestring):\n sentence = Sentence(sentence)\n elif isinstance(sentence, Match) and len(sentence) > 0:\n sentence = sentence[0].sentence.slice(sentence[0].index, sentence[-\n 1].index + 1)\n a = []\n for sequence in (_v is not None and _v or self._variations()):\n if _u is not None and id(sequence) in _u:\n continue\n m = self._match(sequence, sentence, start)\n if m is not None:\n a.append((m.words[0].index, len(m.words), m))\n if m is not None and m.words[0].index == start:\n return m\n if m is None and _u is not None:\n _u[id(sequence)] = False\n if len(a) > 0:\n return sorted(a)[0][-1]\n",
"role": "user"
},
{
"content": "match",
"role": "assistant"
}
] |
def x(self, word):
if word.index in self._map1:
return self._map1[word.index]
|
constraint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, word):\n if word.index in self._map1:\n return self._map1[word.index]\n",
"role": "user"
},
{
"content": "constraint",
"role": "assistant"
}
] |
def x(self, chunk):
a = [self._map1[w.index] for w in chunk.words if w.index in self._map1]
b = []
[b.append(constraint) for constraint in a if constraint not in b]
return b
|
constraints
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chunk):\n a = [self._map1[w.index] for w in chunk.words if w.index in self._map1]\n b = []\n [b.append(constraint) for constraint in a if constraint not in b]\n return b\n",
"role": "user"
},
{
"content": "constraints",
"role": "assistant"
}
] |
def x(self, constraint=None):
W = self.words
n = len(self.pattern.sequence)
if isinstance(constraint, (int, Constraint)):
if isinstance(constraint, int):
i = constraint
i = i < 0 and i % n or i
else:
i = self.pattern.sequence.index(constraint)
W = self._map2.get(i, [])
W = [self.words[i - self.words[0].index] for i in W]
if isinstance(constraint, (list, tuple)):
W = []
[W.extend(self._map2.get(j < 0 and j % n or j, [])) for j in constraint
]
W = [self.words[i - self.words[0].index] for i in W]
W = unique(W)
a = []
i = 0
while i < len(W):
w = W[i]
if w.chunk and W[i:i + len(w.chunk)] == w.chunk.words:
i += len(w.chunk) - 1
a.append(w.chunk)
else:
a.append(w)
i += 1
return a
|
constituents
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, constraint=None):\n W = self.words\n n = len(self.pattern.sequence)\n if isinstance(constraint, (int, Constraint)):\n if isinstance(constraint, int):\n i = constraint\n i = i < 0 and i % n or i\n else:\n i = self.pattern.sequence.index(constraint)\n W = self._map2.get(i, [])\n W = [self.words[i - self.words[0].index] for i in W]\n if isinstance(constraint, (list, tuple)):\n W = []\n [W.extend(self._map2.get(j < 0 and j % n or j, [])) for j in constraint\n ]\n W = [self.words[i - self.words[0].index] for i in W]\n W = unique(W)\n a = []\n i = 0\n while i < len(W):\n w = W[i]\n if w.chunk and W[i:i + len(w.chunk)] == w.chunk.words:\n i += len(w.chunk) - 1\n a.append(w.chunk)\n else:\n a.append(w)\n i += 1\n return a\n",
"role": "user"
},
{
"content": "constituents",
"role": "assistant"
}
] |
def x(self, index, chunked=False):
if index < 0 or index > len(self.pattern.groups):
raise IndexError('no such group')
if index > 0 and index <= len(self.pattern.groups):
g = self.pattern.groups[index - 1]
if index == 0:
g = self.pattern.sequence
if chunked is True:
return Group(self, self.constituents(constraint=[self.pattern.
sequence.index(x) for x in g]))
return Group(self, [w for w in self.words if self.constraint(w) in g])
|
group
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index, chunked=False):\n if index < 0 or index > len(self.pattern.groups):\n raise IndexError('no such group')\n if index > 0 and index <= len(self.pattern.groups):\n g = self.pattern.groups[index - 1]\n if index == 0:\n g = self.pattern.sequence\n if chunked is True:\n return Group(self, self.constituents(constraint=[self.pattern.\n sequence.index(x) for x in g]))\n return Group(self, [w for w in self.words if self.constraint(w) in g])\n",
"role": "user"
},
{
"content": "group",
"role": "assistant"
}
] |
def x(self, text):
if self.lemmatize:
text = self._lemmatize(text)
return self.RETURN_TYPE(*pattern_sentiment(text))
|
analyze
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n if self.lemmatize:\n text = self._lemmatize(text)\n return self.RETURN_TYPE(*pattern_sentiment(text))\n",
"role": "user"
},
{
"content": "analyze",
"role": "assistant"
}
] |
def x(token, tag):
if tag in ('KON', 'KOUI', 'KOUS', 'KOKOM'):
return token, CONJ
if tag in ('PTKZU', 'PTKNEG', 'PTKVZ', 'PTKANT'):
return token, PRT
if tag in ('PDF', 'PDAT', 'PIS', 'PIAT', 'PIDAT', 'PPER', 'PPOS', 'PPOSAT'
):
return token, PRON
if tag in ('PRELS', 'PRELAT', 'PRF', 'PWS', 'PWAT', 'PWAV', 'PAV'):
return token, PRON
return penntreebank2universal(*stts2penntreebank(token, tag))
|
stts2universal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(token, tag):\n if tag in ('KON', 'KOUI', 'KOUS', 'KOKOM'):\n return token, CONJ\n if tag in ('PTKZU', 'PTKNEG', 'PTKVZ', 'PTKANT'):\n return token, PRT\n if tag in ('PDF', 'PDAT', 'PIS', 'PIAT', 'PIDAT', 'PPER', 'PPOS', 'PPOSAT'\n ):\n return token, PRON\n if tag in ('PRELS', 'PRELAT', 'PRF', 'PWS', 'PWAT', 'PWAV', 'PAV'):\n return token, PRON\n return penntreebank2universal(*stts2penntreebank(token, tag))\n",
"role": "user"
},
{
"content": "stts2universal",
"role": "assistant"
}
] |
def x(tokens):
for token in tokens:
word, pos, lemma = token[0], token[1], token[0]
if pos.startswith(('DT', 'JJ')):
lemma = predicative(word)
if pos == 'NNS':
lemma = singularize(word)
if pos.startswith(('VB', 'MD')):
lemma = conjugate(word, INFINITIVE) or word
token.append(lemma.lower())
return tokens
|
find_lemmata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tokens):\n for token in tokens:\n word, pos, lemma = token[0], token[1], token[0]\n if pos.startswith(('DT', 'JJ')):\n lemma = predicative(word)\n if pos == 'NNS':\n lemma = singularize(word)\n if pos.startswith(('VB', 'MD')):\n lemma = conjugate(word, INFINITIVE) or word\n token.append(lemma.lower())\n return tokens\n",
"role": "user"
},
{
"content": "find_lemmata",
"role": "assistant"
}
] |
def x(s, token=[WORD, POS, CHUNK, PNP, REL, LEMMA]):
return Text(s, token)
|
tree
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, token=[WORD, POS, CHUNK, PNP, REL, LEMMA]):\n return Text(s, token)\n",
"role": "user"
},
{
"content": "tree",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.