source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, name): if name in self._cache: target = self._cache[name] if target['type'] == 'wav': signal = self._uploadController.loadSignal(target['filename'], start=target['start'] if target['start'] != 'start' else None, end=target['end'] if target['end'] != 'end' else None) if signal is not None: return getattr(signal, target['analysis'])(ref=1.0) else: return None, 404 pass elif target['type'] == 'hinge': hingePoints = np.array(target['hinge']).astype(np.float64) x = hingePoints[:, 1] y = hingePoints[:, 0] if x[0] != 0: x = np.insert(x, 0, 1e-07) y = np.insert(y, 0, y[0]) if x[-1] != 500: x = np.insert(x, len(x), 500.0) y = np.insert(y, len(y), y[-1]) y = 10 ** (y / 10) f = self.log_interp1d(x, y) xnew = np.linspace(x[0], x[-1], num=500, endpoint=False) return xnew, 10 * np.log10(f(xnew)) else: logger.error('Unknown target type with name ' + name) return None
analyse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n if name in self._cache:\n target = self._cache[name]\n if target['type'] == 'wav':\n signal = self._uploadController.loadSignal(target['filename'],\n start=target['start'] if target['start'] != 'start' else\n None, end=target['end'] if target['end'] != 'end' else None)\n if signal is not None:\n return getattr(signal, target['analysis'])(ref=1.0)\n else:\n return None, 404\n pass\n elif target['type'] == 'hinge':\n hingePoints = np.array(target['hinge']).astype(np.float64)\n x = hingePoints[:, 1]\n y = hingePoints[:, 0]\n if x[0] != 0:\n x = np.insert(x, 0, 1e-07)\n y = np.insert(y, 0, y[0])\n if x[-1] != 500:\n x = np.insert(x, len(x), 500.0)\n y = np.insert(y, len(y), y[-1])\n y = 10 ** (y / 10)\n f = self.log_interp1d(x, y)\n xnew = np.linspace(x[0], x[-1], num=500, endpoint=False)\n return xnew, 10 * np.log10(f(xnew))\n else:\n logger.error('Unknown target type with name ' + name)\n return None\n", "role": "user" }, { "content": "analyse", "role": "assistant" } ]
def x(self, xx, yy, kind='linear'): logx = np.log10(xx) logy = np.log10(yy) lin_interp = interp1d(logx, logy, kind=kind) log_interp = lambda zz: np.power(10.0, lin_interp(np.log10(zz))) return log_interp
log_interp1d
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, xx, yy, kind='linear'):\n logx = np.log10(xx)\n logy = np.log10(yy)\n lin_interp = interp1d(logx, logy, kind=kind)\n log_interp = lambda zz: np.power(10.0, lin_interp(np.log10(zz)))\n return log_interp\n", "role": "user" }, { "content": "log_interp1d", "role": "assistant" } ]
def x(year, month, day): return day + (month - 1) * 30 + (year - 1) * 365 + floor(year / 4 ) + EPOCH - 1
to_jd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(year, month, day):\n return day + (month - 1) * 30 + (year - 1) * 365 + floor(year / 4\n ) + EPOCH - 1\n", "role": "user" }, { "content": "to_jd", "role": "assistant" } ]
def x(jdc): cdc = floor(jdc) + 0.5 - EPOCH year = floor((cdc - floor((cdc + 366) / 1461)) / 365) + 1 yday = jdc - to_jd(year, 1, 1) month = floor(yday / 30) + 1 day = yday - (month - 1) * 30 + 1 return year, month, day
from_jd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(jdc):\n cdc = floor(jdc) + 0.5 - EPOCH\n year = floor((cdc - floor((cdc + 366) / 1461)) / 365) + 1\n yday = jdc - to_jd(year, 1, 1)\n month = floor(yday / 30) + 1\n day = yday - (month - 1) * 30 + 1\n return year, month, day\n", "role": "user" }, { "content": "from_jd", "role": "assistant" } ]
def x(roll, dec, v2, v3): _roll = DEGTORAD(roll) _dec = DEGTORAD(dec) _v2 = DEGTORAD(v2 / 3600.0) _v3 = DEGTORAD(v3 / 3600.0) sin_rho = sqrt(pow(sin(_v2), 2) + pow(sin(_v3), 2) - pow(sin(_v2), 2) * pow(sin(_v3), 2)) rho = asin(sin_rho) beta = asin(sin(_v3) / sin_rho) if _v2 < 0: beta = pi - beta gamma = asin(sin(_v2) / sin_rho) if _v3 < 0: gamma = pi - gamma A = pi / 2.0 + _roll - beta B = atan2(sin(A) * cos(_dec), sin(_dec) * sin_rho - cos(_dec) * cos(rho ) * cos(A)) troll = RADTODEG(pi - (gamma + B)) return troll
troll
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(roll, dec, v2, v3):\n _roll = DEGTORAD(roll)\n _dec = DEGTORAD(dec)\n _v2 = DEGTORAD(v2 / 3600.0)\n _v3 = DEGTORAD(v3 / 3600.0)\n sin_rho = sqrt(pow(sin(_v2), 2) + pow(sin(_v3), 2) - pow(sin(_v2), 2) *\n pow(sin(_v3), 2))\n rho = asin(sin_rho)\n beta = asin(sin(_v3) / sin_rho)\n if _v2 < 0:\n beta = pi - beta\n gamma = asin(sin(_v2) / sin_rho)\n if _v3 < 0:\n gamma = pi - gamma\n A = pi / 2.0 + _roll - beta\n B = atan2(sin(A) * cos(_dec), sin(_dec) * sin_rho - cos(_dec) * cos(rho\n ) * cos(A))\n troll = RADTODEG(pi - (gamma + B))\n return troll\n", "role": "user" }, { "content": "troll", "role": "assistant" } ]
def x(self, format=True): if len(list(self.orig_wcs.keys())) > 0: block = 'Original WCS keywords for ' + self.rootname + '\n' block += ' backed up on ' + repr(self.orig_wcs['WCSCDATE']) + '\n' if not format: for key in self.wcstrans.keys(): block += key.upper() + ' = ' + repr(self.get_archivekw(key) ) + '\n' block = 'PA_V3: ' + repr(self.pa_obs) + '\n' else: block += 'CD_11 CD_12: ' + repr(self.get_archivekw('CD1_1') ) + ' ' + repr(self.get_archivekw('CD1_2')) + '\n' block += 'CD_21 CD_22: ' + repr(self.get_archivekw('CD2_1') ) + ' ' + repr(self.get_archivekw('CD2_2')) + '\n' block += 'CRVAL : ' + repr(self.get_archivekw('CRVAL1') ) + ' ' + repr(self.get_archivekw('CRVAL2')) + '\n' block += 'CRPIX : ' + repr(self.get_archivekw('CRPIX1') ) + ' ' + repr(self.get_archivekw('CRPIX2')) + '\n' block += 'NAXIS : ' + repr(int(self.get_archivekw('NAXIS1')) ) + ' ' + repr(int(self.get_archivekw('NAXIS2'))) + '\n' block += 'Plate Scale : ' + repr(self.get_archivekw('pixel scale') ) + '\n' block += 'ORIENTAT : ' + repr(self.get_archivekw('ORIENTAT') ) + '\n' print(block)
print_archive
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, format=True):\n if len(list(self.orig_wcs.keys())) > 0:\n block = 'Original WCS keywords for ' + self.rootname + '\\n'\n block += ' backed up on ' + repr(self.orig_wcs['WCSCDATE']) + '\\n'\n if not format:\n for key in self.wcstrans.keys():\n block += key.upper() + ' = ' + repr(self.get_archivekw(key)\n ) + '\\n'\n block = 'PA_V3: ' + repr(self.pa_obs) + '\\n'\n else:\n block += 'CD_11 CD_12: ' + repr(self.get_archivekw('CD1_1')\n ) + ' ' + repr(self.get_archivekw('CD1_2')) + '\\n'\n block += 'CD_21 CD_22: ' + repr(self.get_archivekw('CD2_1')\n ) + ' ' + repr(self.get_archivekw('CD2_2')) + '\\n'\n block += 'CRVAL : ' + repr(self.get_archivekw('CRVAL1')\n ) + ' ' + repr(self.get_archivekw('CRVAL2')) + '\\n'\n block += 'CRPIX : ' + repr(self.get_archivekw('CRPIX1')\n ) + ' ' + repr(self.get_archivekw('CRPIX2')) + '\\n'\n block += 'NAXIS : ' + repr(int(self.get_archivekw('NAXIS1'))\n ) + ' ' + repr(int(self.get_archivekw('NAXIS2'))) + '\\n'\n block += 'Plate Scale : ' + repr(self.get_archivekw('pixel scale')\n ) + '\\n'\n block += 'ORIENTAT : ' + repr(self.get_archivekw('ORIENTAT')\n ) + '\\n'\n print(block)\n", "role": "user" }, { "content": "print_archive", "role": "assistant" } ]
def x(self): if self.new: self.pscale = 1.0 else: self.pscale = self.compute_pscale(self.cd11, self.cd21)
set_pscale
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.new:\n self.pscale = 1.0\n else:\n self.pscale = self.compute_pscale(self.cd11, self.cd21)\n", "role": "user" }, { "content": "set_pscale", "role": "assistant" } ]
def x(self, cd11, cd21): return N.sqrt(N.power(cd11, 2) + N.power(cd21, 2)) * 3600.0
compute_pscale
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cd11, cd21):\n return N.sqrt(N.power(cd11, 2) + N.power(cd21, 2)) * 3600.0\n", "role": "user" }, { "content": "compute_pscale", "role": "assistant" } ]
def x(self): self.orient = RADTODEG(N.arctan2(self.cd12, self.cd22))
set_orient
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.orient = RADTODEG(N.arctan2(self.cd12, self.cd22))\n", "role": "user" }, { "content": "set_orient", "role": "assistant" } ]
def x(self, pixel_scale=None, orient=None, refpos=None, refval=None, size=None ): _updateCD = no if orient is not None and orient != self.orient: pa = DEGTORAD(orient) self.orient = orient self._orient_lin = orient _updateCD = yes else: pa = DEGTORAD(self.orient) if pixel_scale is not None and pixel_scale != self.pscale: _ratio = pixel_scale / self.pscale self.pscale = pixel_scale _updateCD = yes else: pixel_scale = self.pscale _ratio = None if _ratio is not None: self.naxis1 /= _ratio self.naxis2 /= _ratio self.crpix1 = self.naxis1 / 2.0 self.crpix2 = self.naxis2 / 2.0 if size is not None: self.naxis1 = size[0] self.naxis2 = size[1] self.naxis1 = int(self.naxis1) self.naxis2 = int(self.naxis2) if refpos is not None: self.crpix1 = refpos[0] self.crpix2 = refpos[1] if self.crpix1 is None: self.crpix1 = self.naxis1 / 2.0 self.crpix2 = self.naxis2 / 2.0 if refval is not None: self.crval1 = refval[0] self.crval2 = refval[1] if _updateCD: pscale = pixel_scale / 3600.0 self.cd11 = -pscale * N.cos(pa) self.cd12 = pscale * N.sin(pa) self.cd21 = self.cd12 self.cd22 = -self.cd11 self.update()
updateWCS
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pixel_scale=None, orient=None, refpos=None, refval=None, size=None\n ):\n _updateCD = no\n if orient is not None and orient != self.orient:\n pa = DEGTORAD(orient)\n self.orient = orient\n self._orient_lin = orient\n _updateCD = yes\n else:\n pa = DEGTORAD(self.orient)\n if pixel_scale is not None and pixel_scale != self.pscale:\n _ratio = pixel_scale / self.pscale\n self.pscale = pixel_scale\n _updateCD = yes\n else:\n pixel_scale = self.pscale\n _ratio = None\n if _ratio is not None:\n self.naxis1 /= _ratio\n self.naxis2 /= _ratio\n self.crpix1 = self.naxis1 / 2.0\n self.crpix2 = self.naxis2 / 2.0\n if size is not None:\n self.naxis1 = size[0]\n self.naxis2 = size[1]\n self.naxis1 = int(self.naxis1)\n self.naxis2 = int(self.naxis2)\n if refpos is not None:\n self.crpix1 = refpos[0]\n self.crpix2 = refpos[1]\n if self.crpix1 is None:\n self.crpix1 = self.naxis1 / 2.0\n self.crpix2 = self.naxis2 / 2.0\n if refval is not None:\n self.crval1 = refval[0]\n self.crval2 = refval[1]\n if _updateCD:\n pscale = pixel_scale / 3600.0\n self.cd11 = -pscale * N.cos(pa)\n self.cd12 = pscale * N.sin(pa)\n self.cd21 = self.cd12\n self.cd22 = -self.cd11\n self.update()\n", "role": "user" }, { "content": "updateWCS", "role": "assistant" } ]
def x(self, pixel_scale, retain=True): _ratio = pixel_scale / self.pscale self.naxis1 /= _ratio self.naxis2 /= _ratio self.crpix1 = self.naxis1 / 2.0 self.crpix2 = self.naxis2 / 2.0 if retain: self.cd11 *= _ratio self.cd12 *= _ratio self.cd21 *= _ratio self.cd22 *= _ratio else: pscale = pixel_scale / 3600.0 self.cd11 = -pscale * N.cos(pa) self.cd12 = pscale * N.sin(pa) self.cd21 = self.cd12 self.cd22 = -self.cd11 self.update()
scale_WCS
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pixel_scale, retain=True):\n _ratio = pixel_scale / self.pscale\n self.naxis1 /= _ratio\n self.naxis2 /= _ratio\n self.crpix1 = self.naxis1 / 2.0\n self.crpix2 = self.naxis2 / 2.0\n if retain:\n self.cd11 *= _ratio\n self.cd12 *= _ratio\n self.cd21 *= _ratio\n self.cd22 *= _ratio\n else:\n pscale = pixel_scale / 3600.0\n self.cd11 = -pscale * N.cos(pa)\n self.cd12 = pscale * N.sin(pa)\n self.cd21 = self.cd12\n self.cd22 = -self.cd11\n self.update()\n", "role": "user" }, { "content": "scale_WCS", "role": "assistant" } ]
def x(self, pos): if self.ctype1.find('TAN') < 0 or self.ctype2.find('TAN') < 0: print('XY2RD only supported for TAN projections.') raise TypeError if isinstance(pos, N.ndarray): posx = pos[:, 0] posy = pos[:, 1] else: posx = pos[0] posy = pos[1] xi = self.cd11 * (posx - self.crpix1) + self.cd12 * (posy - self.crpix2) eta = self.cd21 * (posx - self.crpix1) + self.cd22 * (posy - self.crpix2) xi = DEGTORAD(xi) eta = DEGTORAD(eta) ra0 = DEGTORAD(self.crval1) dec0 = DEGTORAD(self.crval2) ra = N.arctan(xi / (N.cos(dec0) - eta * N.sin(dec0))) + ra0 dec = N.arctan((eta * N.cos(dec0) + N.sin(dec0)) / N.sqrt((N.cos(dec0) - eta * N.sin(dec0)) ** 2 + xi ** 2)) ra = RADTODEG(ra) dec = RADTODEG(dec) ra = DIVMOD(ra, 360.0) return ra, dec
xy2rd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pos):\n if self.ctype1.find('TAN') < 0 or self.ctype2.find('TAN') < 0:\n print('XY2RD only supported for TAN projections.')\n raise TypeError\n if isinstance(pos, N.ndarray):\n posx = pos[:, 0]\n posy = pos[:, 1]\n else:\n posx = pos[0]\n posy = pos[1]\n xi = self.cd11 * (posx - self.crpix1) + self.cd12 * (posy - self.crpix2)\n eta = self.cd21 * (posx - self.crpix1) + self.cd22 * (posy - self.crpix2)\n xi = DEGTORAD(xi)\n eta = DEGTORAD(eta)\n ra0 = DEGTORAD(self.crval1)\n dec0 = DEGTORAD(self.crval2)\n ra = N.arctan(xi / (N.cos(dec0) - eta * N.sin(dec0))) + ra0\n dec = N.arctan((eta * N.cos(dec0) + N.sin(dec0)) / N.sqrt((N.cos(dec0) -\n eta * N.sin(dec0)) ** 2 + xi ** 2))\n ra = RADTODEG(ra)\n dec = RADTODEG(dec)\n ra = DIVMOD(ra, 360.0)\n return ra, dec\n", "role": "user" }, { "content": "xy2rd", "role": "assistant" } ]
def x(self, skypos, hour=no): if self.ctype1.find('TAN') < 0 or self.ctype2.find('TAN') < 0: print('RD2XY only supported for TAN projections.') raise TypeError det = self.cd11 * self.cd22 - self.cd12 * self.cd21 if det == 0.0: raise ArithmeticError('singular CD matrix!') cdinv11 = self.cd22 / det cdinv12 = -self.cd12 / det cdinv21 = -self.cd21 / det cdinv22 = self.cd11 / det ra0 = DEGTORAD(self.crval1) dec0 = DEGTORAD(self.crval2) if hour: skypos[0] = skypos[0] * 15.0 ra = DEGTORAD(skypos[0]) dec = DEGTORAD(skypos[1]) bottom = float(N.sin(dec) * N.sin(dec0) + N.cos(dec) * N.cos(dec0) * N. cos(ra - ra0)) if bottom == 0.0: raise ArithmeticError('Unreasonable RA/Dec range!') xi = RADTODEG(N.cos(dec) * N.sin(ra - ra0) / bottom) eta = RADTODEG((N.sin(dec) * N.cos(dec0) - N.cos(dec) * N.sin(dec0) * N .cos(ra - ra0)) / bottom) x = cdinv11 * xi + cdinv12 * eta + self.crpix1 y = cdinv21 * xi + cdinv22 * eta + self.crpix2 return x, y
rd2xy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, skypos, hour=no):\n if self.ctype1.find('TAN') < 0 or self.ctype2.find('TAN') < 0:\n print('RD2XY only supported for TAN projections.')\n raise TypeError\n det = self.cd11 * self.cd22 - self.cd12 * self.cd21\n if det == 0.0:\n raise ArithmeticError('singular CD matrix!')\n cdinv11 = self.cd22 / det\n cdinv12 = -self.cd12 / det\n cdinv21 = -self.cd21 / det\n cdinv22 = self.cd11 / det\n ra0 = DEGTORAD(self.crval1)\n dec0 = DEGTORAD(self.crval2)\n if hour:\n skypos[0] = skypos[0] * 15.0\n ra = DEGTORAD(skypos[0])\n dec = DEGTORAD(skypos[1])\n bottom = float(N.sin(dec) * N.sin(dec0) + N.cos(dec) * N.cos(dec0) * N.\n cos(ra - ra0))\n if bottom == 0.0:\n raise ArithmeticError('Unreasonable RA/Dec range!')\n xi = RADTODEG(N.cos(dec) * N.sin(ra - ra0) / bottom)\n eta = RADTODEG((N.sin(dec) * N.cos(dec0) - N.cos(dec) * N.sin(dec0) * N\n .cos(ra - ra0)) / bottom)\n x = cdinv11 * xi + cdinv12 * eta + self.crpix1\n y = cdinv21 * xi + cdinv22 * eta + self.crpix2\n return x, y\n", "role": "user" }, { "content": "rd2xy", "role": "assistant" } ]
def x(self, orient): _delta = self.get_orient() - orient if _delta == 0.0: return _rot = fileutil.buildRotMatrix(_delta) _cd = N.array([[self.cd11, self.cd12], [self.cd21, self.cd22]], dtype=N .float64) _cdrot = N.dot(_cd, _rot) self.cd11 = _cdrot[0][0] self.cd12 = _cdrot[0][1] self.cd21 = _cdrot[1][0] self.cd22 = _cdrot[1][1] self.orient = orient
rotateCD
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, orient):\n _delta = self.get_orient() - orient\n if _delta == 0.0:\n return\n _rot = fileutil.buildRotMatrix(_delta)\n _cd = N.array([[self.cd11, self.cd12], [self.cd21, self.cd22]], dtype=N\n .float64)\n _cdrot = N.dot(_cd, _rot)\n self.cd11 = _cdrot[0][0]\n self.cd12 = _cdrot[0][1]\n self.cd21 = _cdrot[1][0]\n self.cd22 = _cdrot[1][1]\n self.orient = orient\n", "role": "user" }, { "content": "rotateCD", "role": "assistant" } ]
def x(self, fitsname=None, wcs=None, archive=True, overwrite=False, quiet=True ): self.update() image = self.rootname _fitsname = fitsname if image.find('.fits') < 0 and _fitsname is not None: self.geisname = image image = self.rootname = _fitsname fimg = fileutil.openImage(image, mode='update', fitsname=_fitsname) _root, _iextn = fileutil.parseFilename(image) _extn = fileutil.getExtn(fimg, _iextn) if wcs: _wcsobj = wcs else: _wcsobj = self for key in _wcsobj.wcstrans.keys(): _dkey = _wcsobj.wcstrans[key] if _dkey != 'pscale': _extn.header[key] = _wcsobj.__dict__[_dkey] fimg.close() del fimg if archive: self.write_archive(fitsname=fitsname, overwrite=overwrite, quiet=quiet)
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fitsname=None, wcs=None, archive=True, overwrite=False, quiet=True\n ):\n self.update()\n image = self.rootname\n _fitsname = fitsname\n if image.find('.fits') < 0 and _fitsname is not None:\n self.geisname = image\n image = self.rootname = _fitsname\n fimg = fileutil.openImage(image, mode='update', fitsname=_fitsname)\n _root, _iextn = fileutil.parseFilename(image)\n _extn = fileutil.getExtn(fimg, _iextn)\n if wcs:\n _wcsobj = wcs\n else:\n _wcsobj = self\n for key in _wcsobj.wcstrans.keys():\n _dkey = _wcsobj.wcstrans[key]\n if _dkey != 'pscale':\n _extn.header[key] = _wcsobj.__dict__[_dkey]\n fimg.close()\n del fimg\n if archive:\n self.write_archive(fitsname=fitsname, overwrite=overwrite, quiet=quiet)\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(self): if len(list(self.backup.keys())) == 0: return for key in self.backup.keys(): if key != 'WCSCDATE': self.__dict__[self.wcstrans[key]] = self.orig_wcs[self.backup[key]] self.update()
restore
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if len(list(self.backup.keys())) == 0:\n return\n for key in self.backup.keys():\n if key != 'WCSCDATE':\n self.__dict__[self.wcstrans[key]] = self.orig_wcs[self.backup[key]]\n self.update()\n", "role": "user" }, { "content": "restore", "role": "assistant" } ]
def x(self, prepend=None, overwrite=no, quiet=yes): if len(list(self.backup.keys())) > 0 and overwrite == no: if not quiet: print('WARNING: Backup WCS keywords already exist! No backup made.' ) print( ' The values can only be overridden if overwrite=yes.') return if prepend is None: if self.prepend is not None: _prefix = self.prepend else: _prefix = DEFAULT_PREFIX else: _prefix = prepend self.prepend = _prefix for key in self.wcstrans.keys(): if key != 'pixel scale': _archive_key = self._buildNewKeyname(key, _prefix) else: _archive_key = self.prepend.lower() + 'pscale' self.orig_wcs[_archive_key] = self.__dict__[self.wcstrans[key]] self.backup[key] = _archive_key self.revert[_archive_key] = key self.orig_wcs['WCSCDATE'] = fileutil.getLTime() self.backup['WCSCDATE'] = 'WCSCDATE' self.revert['WCSCDATE'] = 'WCSCDATE'
archive
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, prepend=None, overwrite=no, quiet=yes):\n if len(list(self.backup.keys())) > 0 and overwrite == no:\n if not quiet:\n print('WARNING: Backup WCS keywords already exist! No backup made.'\n )\n print(\n ' The values can only be overridden if overwrite=yes.')\n return\n if prepend is None:\n if self.prepend is not None:\n _prefix = self.prepend\n else:\n _prefix = DEFAULT_PREFIX\n else:\n _prefix = prepend\n self.prepend = _prefix\n for key in self.wcstrans.keys():\n if key != 'pixel scale':\n _archive_key = self._buildNewKeyname(key, _prefix)\n else:\n _archive_key = self.prepend.lower() + 'pscale'\n self.orig_wcs[_archive_key] = self.__dict__[self.wcstrans[key]]\n self.backup[key] = _archive_key\n self.revert[_archive_key] = key\n self.orig_wcs['WCSCDATE'] = fileutil.getLTime()\n self.backup['WCSCDATE'] = 'WCSCDATE'\n self.revert['WCSCDATE'] = 'WCSCDATE'\n", "role": "user" }, { "content": "archive", "role": "assistant" } ]
def x(self, header, prepend=None): _prefix = None _archive = False if header is not None: for kw in header.items(): if kw[0][1:] in self.wcstrans.keys(): _prefix = kw[0][0] _archive = True break if not _archive: self.archive(prepend=prepend) return if _prefix is not None: self.prepend = _prefix else: self.prepend = DEFAULT_PREFIX for key in self.wcstrans.keys(): _archive_key = self._buildNewKeyname(key, _prefix) if key != 'pixel scale': if _archive_key in header: self.orig_wcs[_archive_key] = header[_archive_key] else: self.orig_wcs[_archive_key] = header[key] self.backup[key] = _archive_key self.revert[_archive_key] = key _cd11str = self.prepend + 'CD1_1' _cd21str = self.prepend + 'CD2_1' pscale = self.compute_pscale(self.orig_wcs[_cd11str], self.orig_wcs[ _cd21str]) _archive_key = self.prepend.lower() + 'pscale' self.orig_wcs[_archive_key] = pscale self.backup['pixel scale'] = _archive_key self.revert[_archive_key] = 'pixel scale' if 'WCSCDATE' in header: self.orig_wcs['WCSCDATE'] = header['WCSCDATE'] else: self.orig_wcs['WCSCDATE'] = fileutil.getLTime() self.backup['WCSCDATE'] = 'WCSCDATE' self.revert['WCSCDATE'] = 'WCSCDATE'
read_archive
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, header, prepend=None):\n _prefix = None\n _archive = False\n if header is not None:\n for kw in header.items():\n if kw[0][1:] in self.wcstrans.keys():\n _prefix = kw[0][0]\n _archive = True\n break\n if not _archive:\n self.archive(prepend=prepend)\n return\n if _prefix is not None:\n self.prepend = _prefix\n else:\n self.prepend = DEFAULT_PREFIX\n for key in self.wcstrans.keys():\n _archive_key = self._buildNewKeyname(key, _prefix)\n if key != 'pixel scale':\n if _archive_key in header:\n self.orig_wcs[_archive_key] = header[_archive_key]\n else:\n self.orig_wcs[_archive_key] = header[key]\n self.backup[key] = _archive_key\n self.revert[_archive_key] = key\n _cd11str = self.prepend + 'CD1_1'\n _cd21str = self.prepend + 'CD2_1'\n pscale = self.compute_pscale(self.orig_wcs[_cd11str], self.orig_wcs[\n _cd21str])\n _archive_key = self.prepend.lower() + 'pscale'\n self.orig_wcs[_archive_key] = pscale\n self.backup['pixel scale'] = _archive_key\n self.revert[_archive_key] = 'pixel scale'\n if 'WCSCDATE' in header:\n self.orig_wcs['WCSCDATE'] = header['WCSCDATE']\n else:\n self.orig_wcs['WCSCDATE'] = fileutil.getLTime()\n self.backup['WCSCDATE'] = 'WCSCDATE'\n self.revert['WCSCDATE'] = 'WCSCDATE'\n", "role": "user" }, { "content": "read_archive", "role": "assistant" } ]
def x(self, fitsname=None, overwrite=no, quiet=yes): _fitsname = fitsname fimg = fileutil.openImage(self.rootname, mode='update', fitsname=_fitsname) if self.rootname.find('.fits') < 0 and _fitsname is not None: self.geisname = self.rootname self.rootname = _fitsname _root, _iextn = fileutil.parseFilename(self.rootname) _extn = fileutil.getExtn(fimg, _iextn) if not quiet: print('Updating archive WCS keywords for ', _fitsname) for key in self.orig_wcs.keys(): _comment = None _dkey = self.revert[key] _old_key = key in _extn.header if _old_key == True and overwrite == no: if not quiet: print('WCS keyword', key, ' already exists! Not overwriting.') continue if _dkey in _extn.header: _indx_key = _extn.header.index(_dkey) _full_key = _extn.header.cards[_indx_key] if not quiet: print('updating ', key, ' with value of: ', self.orig_wcs[key]) _extn.header[key] = self.orig_wcs[key], _full_key.comment key = 'WCSCDATE' if key not in _extn.header: _extn.header[key] = self.orig_wcs[key ], 'Time WCS keywords were copied.' fimg.close() del fimg
write_archive
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fitsname=None, overwrite=no, quiet=yes):\n _fitsname = fitsname\n fimg = fileutil.openImage(self.rootname, mode='update', fitsname=_fitsname)\n if self.rootname.find('.fits') < 0 and _fitsname is not None:\n self.geisname = self.rootname\n self.rootname = _fitsname\n _root, _iextn = fileutil.parseFilename(self.rootname)\n _extn = fileutil.getExtn(fimg, _iextn)\n if not quiet:\n print('Updating archive WCS keywords for ', _fitsname)\n for key in self.orig_wcs.keys():\n _comment = None\n _dkey = self.revert[key]\n _old_key = key in _extn.header\n if _old_key == True and overwrite == no:\n if not quiet:\n print('WCS keyword', key, ' already exists! Not overwriting.')\n continue\n if _dkey in _extn.header:\n _indx_key = _extn.header.index(_dkey)\n _full_key = _extn.header.cards[_indx_key]\n if not quiet:\n print('updating ', key, ' with value of: ', self.orig_wcs[key])\n _extn.header[key] = self.orig_wcs[key], _full_key.comment\n key = 'WCSCDATE'\n if key not in _extn.header:\n _extn.header[key] = self.orig_wcs[key\n ], 'Time WCS keywords were copied.'\n fimg.close()\n del fimg\n", "role": "user" }, { "content": "write_archive", "role": "assistant" } ]
def x(self, prepend=None): image = self.rootname if prepend: _prepend = prepend elif self.prepend: _prepend = self.prepend else: _prepend = None fimg = fileutil.openImage(image, mode='update') _root, _iextn = fileutil.parseFilename(self.rootname) _extn = fileutil.getExtn(fimg, _iextn) if len(self.backup) > 0: for newkey in self.revert.keys(): if newkey != 'opscale': _orig_key = self.revert[newkey] _extn.header[_orig_key] = _extn.header[newkey] elif _prepend: for key in self.wcstrans.keys(): if key != 'pixel scale': _okey = self._buildNewKeyname(key, _prepend) if _okey in _extn.header: _extn.header[key] = _extn.header[_okey] else: print('No original WCS values found. Exiting...') break else: print('No original WCS values found. Exiting...') fimg.close() del fimg
restoreWCS
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, prepend=None):\n image = self.rootname\n if prepend:\n _prepend = prepend\n elif self.prepend:\n _prepend = self.prepend\n else:\n _prepend = None\n fimg = fileutil.openImage(image, mode='update')\n _root, _iextn = fileutil.parseFilename(self.rootname)\n _extn = fileutil.getExtn(fimg, _iextn)\n if len(self.backup) > 0:\n for newkey in self.revert.keys():\n if newkey != 'opscale':\n _orig_key = self.revert[newkey]\n _extn.header[_orig_key] = _extn.header[newkey]\n elif _prepend:\n for key in self.wcstrans.keys():\n if key != 'pixel scale':\n _okey = self._buildNewKeyname(key, _prepend)\n if _okey in _extn.header:\n _extn.header[key] = _extn.header[_okey]\n else:\n print('No original WCS values found. Exiting...')\n break\n else:\n print('No original WCS values found. Exiting...')\n fimg.close()\n del fimg\n", "role": "user" }, { "content": "restoreWCS", "role": "assistant" } ]
def x(self, refname, overwrite=yes): hdu = self.createWcsHDU() if os.path.exists(refname): if overwrite == yes: os.remove(refname) hdu.writeto(refname) else: wcs_append = True oldhdu = fits.open(refname, mode='append') for e in oldhdu: if 'extname' in e.header and e.header['extname'] == 'WCS': wcs_append = False if wcs_append == True: oldhdu.append(hdu) oldhdu.close() del oldhdu else: hdu.writeto(refname) del hdu
createReferenceWCS
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, refname, overwrite=yes):\n hdu = self.createWcsHDU()\n if os.path.exists(refname):\n if overwrite == yes:\n os.remove(refname)\n hdu.writeto(refname)\n else:\n wcs_append = True\n oldhdu = fits.open(refname, mode='append')\n for e in oldhdu:\n if 'extname' in e.header and e.header['extname'] == 'WCS':\n wcs_append = False\n if wcs_append == True:\n oldhdu.append(hdu)\n oldhdu.close()\n del oldhdu\n else:\n hdu.writeto(refname)\n del hdu\n", "role": "user" }, { "content": "createReferenceWCS", "role": "assistant" } ]
def x(self): hdu = fits.ImageHDU() hdu.header['EXTNAME'] = 'WCS' hdu.header['EXTVER'] = 1 hdu.header['WCSAXES'] = 2, 'number of World Coordinate System axes' hdu.header['NPIX1'] = self.naxis1, 'Length of array axis 1' hdu.header['NPIX2'] = self.naxis2, 'Length of array axis 2' hdu.header['PIXVALUE'] = 0.0, 'values of pixels in array' excluded_keys = ['naxis1', 'naxis2'] for key in self.wcskeys: _dkey = self.wcstrans[key] if _dkey not in excluded_keys: hdu.header[key] = self.__dict__[_dkey] return hdu
createWcsHDU
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n hdu = fits.ImageHDU()\n hdu.header['EXTNAME'] = 'WCS'\n hdu.header['EXTVER'] = 1\n hdu.header['WCSAXES'] = 2, 'number of World Coordinate System axes'\n hdu.header['NPIX1'] = self.naxis1, 'Length of array axis 1'\n hdu.header['NPIX2'] = self.naxis2, 'Length of array axis 2'\n hdu.header['PIXVALUE'] = 0.0, 'values of pixels in array'\n excluded_keys = ['naxis1', 'naxis2']\n for key in self.wcskeys:\n _dkey = self.wcstrans[key]\n if _dkey not in excluded_keys:\n hdu.header[key] = self.__dict__[_dkey]\n return hdu\n", "role": "user" }, { "content": "createWcsHDU", "role": "assistant" } ]
def x(args=None): logger = cfg.configureLogger() for root, dirs, files in os.walk(cfg.dataDir): for dir in dirs: newDir = os.path.join(root, dir) try: os.removedirs(newDir) logger.info('Deleted empty dir ' + str(newDir)) except: pass if cfg.useTwisted: import logging logger = logging.getLogger('analyser.twisted') from twisted.internet import reactor from twisted.web.resource import Resource from twisted.web import static, server from twisted.web.wsgi import WSGIResource from twisted.application import service from twisted.internet import endpoints class ReactApp: """ Handles the react app (excluding the static dir). """ def x(self, path): self.publicFiles = {f: static.File(os.path.join(path, f)) for f in os.listdir(path) if os.path.exists(os.path.join( path, f))} self.indexHtml = ReactIndex(os.path.join(path, 'index.html')) def x(self, path): return self.publicFiles.get(path.decode('utf-8'), self. indexHtml) class ReactIndex(static.File): """ a twisted File which overrides getChild so it always just serves index.html (NB: this is a bit of a hack, there is probably a more correct way to do this but...) """ def x(self, path, request): return self class FlaskAppWrapper(Resource): """ wraps the flask app as a WSGI resource while allow the react index.html (and its associated static content) to be served as the default page. """ def x(self): super().__init__() self.wsgi = WSGIResource(reactor, reactor.getThreadPool(), app) import sys if getattr(sys, 'frozen', False): uiRoot = sys._MEIPASS else: uiRoot = os.path.dirname(__file__) logger.info('Serving ui from ' + str(uiRoot)) self.react = ReactApp(os.path.join(uiRoot, 'ui')) self.static = static.File(os.path.join(uiRoot, 'ui', 'static')) def x(self, path, request): if path == b'api': request.prepath.pop() request.postpath.insert(0, path) return self.wsgi elif path == b'static': return self.static else: return self.react.getFile(path) def x(self, request): return self.wsgi.render(request) application = service.Application('analyser') site = server.Site(FlaskAppWrapper()) endpoint = endpoints.TCP4ServerEndpoint(reactor, cfg.getPort(), interface='0.0.0.0') endpoint.listen(site) reactor.run() else: app.run(debug=cfg.runInDebug(), host='0.0.0.0', port=cfg.getPort())
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args=None):\n logger = cfg.configureLogger()\n for root, dirs, files in os.walk(cfg.dataDir):\n for dir in dirs:\n newDir = os.path.join(root, dir)\n try:\n os.removedirs(newDir)\n logger.info('Deleted empty dir ' + str(newDir))\n except:\n pass\n if cfg.useTwisted:\n import logging\n logger = logging.getLogger('analyser.twisted')\n from twisted.internet import reactor\n from twisted.web.resource import Resource\n from twisted.web import static, server\n from twisted.web.wsgi import WSGIResource\n from twisted.application import service\n from twisted.internet import endpoints\n\n\n class ReactApp:\n \"\"\"\n Handles the react app (excluding the static dir).\n \"\"\"\n\n def x(self, path):\n self.publicFiles = {f: static.File(os.path.join(path, f)) for\n f in os.listdir(path) if os.path.exists(os.path.join(\n path, f))}\n self.indexHtml = ReactIndex(os.path.join(path, 'index.html'))\n\n def x(self, path):\n return self.publicFiles.get(path.decode('utf-8'), self.\n indexHtml)\n\n\n class ReactIndex(static.File):\n \"\"\"\n a twisted File which overrides getChild so it always just serves index.html (NB: this is a bit of a hack, \n there is probably a more correct way to do this but...)\n \"\"\"\n\n def x(self, path, request):\n return self\n\n\n class FlaskAppWrapper(Resource):\n \"\"\"\n wraps the flask app as a WSGI resource while allow the react index.html (and its associated static content)\n to be served as the default page.\n \"\"\"\n\n def x(self):\n super().__init__()\n self.wsgi = WSGIResource(reactor, reactor.getThreadPool(), app)\n import sys\n if getattr(sys, 'frozen', False):\n uiRoot = sys._MEIPASS\n else:\n uiRoot = os.path.dirname(__file__)\n logger.info('Serving ui from ' + str(uiRoot))\n self.react = ReactApp(os.path.join(uiRoot, 'ui'))\n self.static = static.File(os.path.join(uiRoot, 'ui', 'static'))\n\n def x(self, path, request):\n if path == b'api':\n request.prepath.pop()\n request.postpath.insert(0, path)\n return self.wsgi\n elif path == b'static':\n return self.static\n else:\n return self.react.getFile(path)\n\n def x(self, request):\n return self.wsgi.render(request)\n application = service.Application('analyser')\n site = server.Site(FlaskAppWrapper())\n endpoint = endpoints.TCP4ServerEndpoint(reactor, cfg.getPort(),\n interface='0.0.0.0')\n endpoint.listen(site)\n reactor.run()\n else:\n app.run(debug=cfg.runInDebug(), host='0.0.0.0', port=cfg.getPort())\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(year, method=None): method = method or 'equinox' if year in (3, 7, 11): return True elif year < 15: return False if method in (4, 'continuous') or year <= 16 and method in (128, 'madler', 4, 'continuous'): return year % 4 == 3 elif method in (100, 'romme'): return year % 4 == 0 and year % 100 != 0 or year % 400 == 0 elif method in (128, 'madler'): return year % 4 == 0 and year % 128 != 0 elif method == 'equinox': startjd = to_jd(year, 1, 1, method='equinox') if premier_da_la_annee(startjd + 367) - startjd == 366.0: return True else: raise ValueError( 'Unknown leap year method. Try: continuous, romme, madler or equinox' ) return False
leap
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(year, method=None):\n method = method or 'equinox'\n if year in (3, 7, 11):\n return True\n elif year < 15:\n return False\n if method in (4, 'continuous') or year <= 16 and method in (128,\n 'madler', 4, 'continuous'):\n return year % 4 == 3\n elif method in (100, 'romme'):\n return year % 4 == 0 and year % 100 != 0 or year % 400 == 0\n elif method in (128, 'madler'):\n return year % 4 == 0 and year % 128 != 0\n elif method == 'equinox':\n startjd = to_jd(year, 1, 1, method='equinox')\n if premier_da_la_annee(startjd + 367) - startjd == 366.0:\n return True\n else:\n raise ValueError(\n 'Unknown leap year method. Try: continuous, romme, madler or equinox'\n )\n return False\n", "role": "user" }, { "content": "leap", "role": "assistant" } ]
def x(jd): p = ephem.previous_fall_equinox(dublin.from_jd(jd)) previous = trunc(dublin.to_jd(p) - 0.5) + 0.5 if previous + 364 < jd: n = ephem.next_fall_equinox(dublin.from_jd(jd)) nxt = trunc(dublin.to_jd(n) - 0.5) + 0.5 if nxt <= jd: return nxt return previous
premier_da_la_annee
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(jd):\n p = ephem.previous_fall_equinox(dublin.from_jd(jd))\n previous = trunc(dublin.to_jd(p) - 0.5) + 0.5\n if previous + 364 < jd:\n n = ephem.next_fall_equinox(dublin.from_jd(jd))\n nxt = trunc(dublin.to_jd(n) - 0.5) + 0.5\n if nxt <= jd:\n return nxt\n return previous\n", "role": "user" }, { "content": "premier_da_la_annee", "role": "assistant" } ]
def x(year, month, day, method=None): method = method or 'equinox' if day < 1 or day > 30: raise ValueError('Invalid day for this calendar') if month > 13: raise ValueError('Invalid month for this calendar') if month == 13 and day > 5 + leap(year, method=method): raise ValueError('Invalid day for this month in this calendar') if method == 'equinox': return _to_jd_equinox(year, month, day) else: return _to_jd_schematic(year, month, day, method)
to_jd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(year, month, day, method=None):\n method = method or 'equinox'\n if day < 1 or day > 30:\n raise ValueError('Invalid day for this calendar')\n if month > 13:\n raise ValueError('Invalid month for this calendar')\n if month == 13 and day > 5 + leap(year, method=method):\n raise ValueError('Invalid day for this month in this calendar')\n if method == 'equinox':\n return _to_jd_equinox(year, month, day)\n else:\n return _to_jd_schematic(year, month, day, method)\n", "role": "user" }, { "content": "to_jd", "role": "assistant" } ]
def x(year, month, day, method): y0, y1, y2, y3, y4, y5 = 0, 0, 0, 0, 0, 0 intercal_cycle_yrs, over_cycle_yrs, leap_suppression_yrs = None, None, None if method in (100, 'romme') and year < 15 or method in (128, 'madler' ) and year < 17: method = 4 if method in (4, 'continuous'): y5 = -365 elif method in (100, 'romme'): year = year - 13 y5 = DAYS_IN_YEAR * 12 + 3 leap_suppression_yrs = 100.0 leap_suppression_days = 36524 intercal_cycle_yrs = 400.0 intercal_cycle_days = 146097 over_cycle_yrs = 4000.0 over_cycle_days = 1460969 elif method in (128, 'madler'): year = year - 17 y5 = DAYS_IN_YEAR * 16 + 4 leap_suppression_days = 46751 leap_suppression_yrs = 128 else: raise ValueError( 'Unknown leap year method. Try: continuous, romme, madler or equinox' ) if over_cycle_yrs: y0 = trunc(year / over_cycle_yrs) * over_cycle_days year = year % over_cycle_yrs if intercal_cycle_yrs: y1 = trunc(year / intercal_cycle_yrs) * intercal_cycle_days year = year % intercal_cycle_yrs if leap_suppression_yrs: y2 = trunc(year / leap_suppression_yrs) * leap_suppression_days year = year % leap_suppression_yrs y3 = trunc(year / LEAP_CYCLE_YEARS) * LEAP_CYCLE_DAYS year = year % LEAP_CYCLE_YEARS y4 = year * DAYS_IN_YEAR yj = y0 + y1 + y2 + y3 + y4 + y5 mj = (month - 1) * 30 return EPOCH + yj + mj + day - 1
to_jd_schematic
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(year, month, day, method):\n y0, y1, y2, y3, y4, y5 = 0, 0, 0, 0, 0, 0\n intercal_cycle_yrs, over_cycle_yrs, leap_suppression_yrs = None, None, None\n if method in (100, 'romme') and year < 15 or method in (128, 'madler'\n ) and year < 17:\n method = 4\n if method in (4, 'continuous'):\n y5 = -365\n elif method in (100, 'romme'):\n year = year - 13\n y5 = DAYS_IN_YEAR * 12 + 3\n leap_suppression_yrs = 100.0\n leap_suppression_days = 36524\n intercal_cycle_yrs = 400.0\n intercal_cycle_days = 146097\n over_cycle_yrs = 4000.0\n over_cycle_days = 1460969\n elif method in (128, 'madler'):\n year = year - 17\n y5 = DAYS_IN_YEAR * 16 + 4\n leap_suppression_days = 46751\n leap_suppression_yrs = 128\n else:\n raise ValueError(\n 'Unknown leap year method. Try: continuous, romme, madler or equinox'\n )\n if over_cycle_yrs:\n y0 = trunc(year / over_cycle_yrs) * over_cycle_days\n year = year % over_cycle_yrs\n if intercal_cycle_yrs:\n y1 = trunc(year / intercal_cycle_yrs) * intercal_cycle_days\n year = year % intercal_cycle_yrs\n if leap_suppression_yrs:\n y2 = trunc(year / leap_suppression_yrs) * leap_suppression_days\n year = year % leap_suppression_yrs\n y3 = trunc(year / LEAP_CYCLE_YEARS) * LEAP_CYCLE_DAYS\n year = year % LEAP_CYCLE_YEARS\n y4 = year * DAYS_IN_YEAR\n yj = y0 + y1 + y2 + y3 + y4 + y5\n mj = (month - 1) * 30\n return EPOCH + yj + mj + day - 1\n", "role": "user" }, { "content": "to_jd_schematic", "role": "assistant" } ]
def x(jd, method=None): method = method or 'equinox' if method == 'equinox': return _from_jd_equinox(jd) else: return _from_jd_schematic(jd, method)
from_jd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(jd, method=None):\n method = method or 'equinox'\n if method == 'equinox':\n return _from_jd_equinox(jd)\n else:\n return _from_jd_schematic(jd, method)\n", "role": "user" }, { "content": "from_jd", "role": "assistant" } ]
def x(jd, method): if jd < EPOCH: raise ValueError("Can't convert days before the French Revolution") J = trunc(jd) + 0.5 - EPOCH y0, y1, y2, y3, y4, y5 = 0, 0, 0, 0, 0, 0 intercal_cycle_days = leap_suppression_days = over_cycle_days = None if J <= DAYS_IN_YEAR * 12 + 3 and method in (100, 'romme' ) or J <= DAYS_IN_YEAR * 17 + 4 and method in (128, 'madler'): method = 4 if method in (4, 'continuous'): J = J + 365 y5 = -1 elif method in (100, 'romme'): y5 = 12 J = J - DAYS_IN_YEAR * 12 - 3 leap_suppression_yrs = 100.0 leap_suppression_days = 36524 intercal_cycle_yrs = 400.0 intercal_cycle_days = 146097 over_cycle_yrs = 4000.0 over_cycle_days = 1460969 elif method in (128, 'madler'): y5 = 16 J = J - DAYS_IN_YEAR * 16 - 4 leap_suppression_yrs = 128 leap_suppression_days = 46751 else: raise ValueError( 'Unknown leap year method. Try: continuous, romme, madler or equinox' ) if over_cycle_days: y0 = trunc(J / over_cycle_days) * over_cycle_yrs J = J % over_cycle_days if intercal_cycle_days: y1 = trunc(J / intercal_cycle_days) * intercal_cycle_yrs J = J % intercal_cycle_days if leap_suppression_days: y2 = trunc(J / leap_suppression_days) * leap_suppression_yrs J = J % leap_suppression_days y3 = trunc(J / LEAP_CYCLE_DAYS) * LEAP_CYCLE_YEARS if J % LEAP_CYCLE_DAYS == LEAP_CYCLE_DAYS - 1: J = 1460 else: J = J % LEAP_CYCLE_DAYS y4 = trunc(J / DAYS_IN_YEAR) if J == DAYS_IN_YEAR * 4: y4 = y4 - 1 J = 365.0 else: J = J % DAYS_IN_YEAR year = y0 + y1 + y2 + y3 + y4 + y5 month = trunc(J / 30.0) J = J - month * 30 return year + 1, month + 1, trunc(J) + 1
from_jd_schematic
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(jd, method):\n if jd < EPOCH:\n raise ValueError(\"Can't convert days before the French Revolution\")\n J = trunc(jd) + 0.5 - EPOCH\n y0, y1, y2, y3, y4, y5 = 0, 0, 0, 0, 0, 0\n intercal_cycle_days = leap_suppression_days = over_cycle_days = None\n if J <= DAYS_IN_YEAR * 12 + 3 and method in (100, 'romme'\n ) or J <= DAYS_IN_YEAR * 17 + 4 and method in (128, 'madler'):\n method = 4\n if method in (4, 'continuous'):\n J = J + 365\n y5 = -1\n elif method in (100, 'romme'):\n y5 = 12\n J = J - DAYS_IN_YEAR * 12 - 3\n leap_suppression_yrs = 100.0\n leap_suppression_days = 36524\n intercal_cycle_yrs = 400.0\n intercal_cycle_days = 146097\n over_cycle_yrs = 4000.0\n over_cycle_days = 1460969\n elif method in (128, 'madler'):\n y5 = 16\n J = J - DAYS_IN_YEAR * 16 - 4\n leap_suppression_yrs = 128\n leap_suppression_days = 46751\n else:\n raise ValueError(\n 'Unknown leap year method. Try: continuous, romme, madler or equinox'\n )\n if over_cycle_days:\n y0 = trunc(J / over_cycle_days) * over_cycle_yrs\n J = J % over_cycle_days\n if intercal_cycle_days:\n y1 = trunc(J / intercal_cycle_days) * intercal_cycle_yrs\n J = J % intercal_cycle_days\n if leap_suppression_days:\n y2 = trunc(J / leap_suppression_days) * leap_suppression_yrs\n J = J % leap_suppression_days\n y3 = trunc(J / LEAP_CYCLE_DAYS) * LEAP_CYCLE_YEARS\n if J % LEAP_CYCLE_DAYS == LEAP_CYCLE_DAYS - 1:\n J = 1460\n else:\n J = J % LEAP_CYCLE_DAYS\n y4 = trunc(J / DAYS_IN_YEAR)\n if J == DAYS_IN_YEAR * 4:\n y4 = y4 - 1\n J = 365.0\n else:\n J = J % DAYS_IN_YEAR\n year = y0 + y1 + y2 + y3 + y4 + y5\n month = trunc(J / 30.0)\n J = J - month * 30\n return year + 1, month + 1, trunc(J) + 1\n", "role": "user" }, { "content": "from_jd_schematic", "role": "assistant" } ]
def x(jd): jd = trunc(jd) + 0.5 equinoxe = premier_da_la_annee(jd) an = gregorian.from_jd(equinoxe)[0] - YEAR_EPOCH mois = trunc((jd - equinoxe) / 30.0) + 1 jour = int((jd - equinoxe) % 30) + 1 return an, mois, jour
from_jd_equinox
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(jd):\n jd = trunc(jd) + 0.5\n equinoxe = premier_da_la_annee(jd)\n an = gregorian.from_jd(equinoxe)[0] - YEAR_EPOCH\n mois = trunc((jd - equinoxe) / 30.0) + 1\n jour = int((jd - equinoxe) % 30) + 1\n return an, mois, jour\n", "role": "user" }, { "content": "from_jd_equinox", "role": "assistant" } ]
def x(year, month, day): gyear = year + 78 leap = isleap(gyear) start = gregorian.to_jd(gyear, 3, 22 - leap) if leap: Caitra = 31 else: Caitra = 30 if month == 1: jd = start + (day - 1) else: jd = start + Caitra m = month - 2 m = min(m, 5) jd += m * 31 if month >= 8: m = month - 7 jd += m * 30 jd += day - 1 return jd
to_jd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(year, month, day):\n gyear = year + 78\n leap = isleap(gyear)\n start = gregorian.to_jd(gyear, 3, 22 - leap)\n if leap:\n Caitra = 31\n else:\n Caitra = 30\n if month == 1:\n jd = start + (day - 1)\n else:\n jd = start + Caitra\n m = month - 2\n m = min(m, 5)\n jd += m * 31\n if month >= 8:\n m = month - 7\n jd += m * 30\n jd += day - 1\n return jd\n", "role": "user" }, { "content": "to_jd", "role": "assistant" } ]
def x(jd): start = 80 jd = trunc(jd) + 0.5 greg = gregorian.from_jd(jd) leap = isleap(greg[0]) year = greg[0] - SAKA_EPOCH greg0 = gregorian.to_jd(greg[0], 1, 1) yday = jd - greg0 if leap: Caitra = 31 else: Caitra = 30 if yday < start: year -= 1 yday += Caitra + 31 * 5 + 30 * 3 + 10 + start yday -= start if yday < Caitra: month = 1 day = yday + 1 else: mday = yday - Caitra if mday < 31 * 5: month = trunc(mday / 31) + 2 day = mday % 31 + 1 else: mday -= 31 * 5 month = trunc(mday / 30) + 7 day = mday % 30 + 1 return year, month, int(day)
from_jd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(jd):\n start = 80\n jd = trunc(jd) + 0.5\n greg = gregorian.from_jd(jd)\n leap = isleap(greg[0])\n year = greg[0] - SAKA_EPOCH\n greg0 = gregorian.to_jd(greg[0], 1, 1)\n yday = jd - greg0\n if leap:\n Caitra = 31\n else:\n Caitra = 30\n if yday < start:\n year -= 1\n yday += Caitra + 31 * 5 + 30 * 3 + 10 + start\n yday -= start\n if yday < Caitra:\n month = 1\n day = yday + 1\n else:\n mday = yday - Caitra\n if mday < 31 * 5:\n month = trunc(mday / 31) + 2\n day = mday % 31 + 1\n else:\n mday -= 31 * 5\n month = trunc(mday / 30) + 7\n day = mday % 30 + 1\n return year, month, int(day)\n", "role": "user" }, { "content": "from_jd", "role": "assistant" } ]
def x(skip=0, length=6, _sep=os.path.sep): return ' < '.join('%s:%s:%s' % ('/'.join(f.f_code.co_filename.split( _sep)[-2:]), f.f_lineno, f.f_code.co_name) for f in islice( frame_iterator(sys._getframe(1 + skip)), length))
format_stack
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(skip=0, length=6, _sep=os.path.sep):\n return ' < '.join('%s:%s:%s' % ('/'.join(f.f_code.co_filename.split(\n _sep)[-2:]), f.f_lineno, f.f_code.co_name) for f in islice(\n frame_iterator(sys._getframe(1 + skip)), length))\n", "role": "user" }, { "content": "format_stack", "role": "assistant" } ]
def x(func=None, stacktrace=10, stacktrace_align=60, attributes=(), module= True, call=True, call_args=True, call_args_repr=repr, result=True, exception=True, exception_repr=repr, result_repr=strip_non_ascii, use_logging='CRITICAL', print_to=None): loglevel = use_logging and (logging._levelNames if hasattr(logging, '_levelNames') else logging._nameToLevel).get(use_logging, logging. CRITICAL) _missing = object() def x(buf): try: if use_logging: logger._log(loglevel, buf, ()) if print_to: buf += '\n' print_to.write(buf) except Exception as exc: logger.critical('Failed to log a message: %s', exc, exc_info=True) class __logged__(Aspect): __slots__ = ('cutpoint_function', 'final_function', 'binding', '__name__', '__weakref__') bind = False def x(self, cutpoint_function, binding=None): mimic(self, cutpoint_function) self.cutpoint_function = cutpoint_function self.final_function = super(__logged__, self).__call__( cutpoint_function) self.binding = binding def x(self, instance, owner): return __logged__(self.cutpoint_function.__get__(instance, owner), instance) def x(self, *args, **kwargs): return self.final_function(*args, **kwargs) def x(self, *args, **kwargs): name = self.cutpoint_function.__name__ instance = self.binding if instance is not None: if isinstance(instance, InstanceType): instance_type = instance.__class__ else: instance_type = type(instance) info = [] for key in attributes: if key.endswith('()'): callarg = key = key.rstrip('()') else: callarg = False val = getattr(instance, key, _missing) if val is not _missing and key != name: info.append(' %s=%s' % (key, call_args_repr(val() if callarg else val))) sig = buf = '{%s%s%s}.%s' % (instance_type.__module__ + '.' if module else '', instance_type.__name__, ''.join(info), name ) else: sig = buf = name if call_args: buf += '(%s%s)' % (', '.join(repr(i) for i in (args if call_args is True else args[:call_args])), (', ' if args else '') + ', '.join('%s=%r' % i for i in kwargs. items()) if kwargs and call_args is True else '') if stacktrace: buf = '%%-%ds <<< %%s' % stacktrace_align % (buf, format_stack(skip=1, length=stacktrace)) if call: dump(buf) try: res = yield except Exception as exc: if exception: if not call: dump(buf) dump('%s ~ raised %s' % (sig, exception_repr(exc))) raise if result: dump('%s => %s' % (sig, result_repr(res))) if func: return __logged__(func) else: return __logged__
log
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func=None, stacktrace=10, stacktrace_align=60, attributes=(), module=\n True, call=True, call_args=True, call_args_repr=repr, result=True,\n exception=True, exception_repr=repr, result_repr=strip_non_ascii,\n use_logging='CRITICAL', print_to=None):\n loglevel = use_logging and (logging._levelNames if hasattr(logging,\n '_levelNames') else logging._nameToLevel).get(use_logging, logging.\n CRITICAL)\n _missing = object()\n\n def x(buf):\n try:\n if use_logging:\n logger._log(loglevel, buf, ())\n if print_to:\n buf += '\\n'\n print_to.write(buf)\n except Exception as exc:\n logger.critical('Failed to log a message: %s', exc, exc_info=True)\n\n\n class __logged__(Aspect):\n __slots__ = ('cutpoint_function', 'final_function', 'binding',\n '__name__', '__weakref__')\n bind = False\n\n def x(self, cutpoint_function, binding=None):\n mimic(self, cutpoint_function)\n self.cutpoint_function = cutpoint_function\n self.final_function = super(__logged__, self).__call__(\n cutpoint_function)\n self.binding = binding\n\n def x(self, instance, owner):\n return __logged__(self.cutpoint_function.__get__(instance,\n owner), instance)\n\n def x(self, *args, **kwargs):\n return self.final_function(*args, **kwargs)\n\n def x(self, *args, **kwargs):\n name = self.cutpoint_function.__name__\n instance = self.binding\n if instance is not None:\n if isinstance(instance, InstanceType):\n instance_type = instance.__class__\n else:\n instance_type = type(instance)\n info = []\n for key in attributes:\n if key.endswith('()'):\n callarg = key = key.rstrip('()')\n else:\n callarg = False\n val = getattr(instance, key, _missing)\n if val is not _missing and key != name:\n info.append(' %s=%s' % (key, call_args_repr(val() if\n callarg else val)))\n sig = buf = '{%s%s%s}.%s' % (instance_type.__module__ + '.' if\n module else '', instance_type.__name__, ''.join(info), name\n )\n else:\n sig = buf = name\n if call_args:\n buf += '(%s%s)' % (', '.join(repr(i) for i in (args if \n call_args is True else args[:call_args])), (', ' if\n args else '') + ', '.join('%s=%r' % i for i in kwargs.\n items()) if kwargs and call_args is True else '')\n if stacktrace:\n buf = '%%-%ds <<< %%s' % stacktrace_align % (buf,\n format_stack(skip=1, length=stacktrace))\n if call:\n dump(buf)\n try:\n res = yield\n except Exception as exc:\n if exception:\n if not call:\n dump(buf)\n dump('%s ~ raised %s' % (sig, exception_repr(exc)))\n raise\n if result:\n dump('%s => %s' % (sig, result_repr(res)))\n if func:\n return __logged__(func)\n else:\n return __logged__\n", "role": "user" }, { "content": "log", "role": "assistant" } ]
def x(cfg): logger = logging.getLogger('recorder') httpPoster = cfg.handlers.get('remote') csvLogger = cfg.handlers.get('local') activeHandler = None if httpPoster is None: if csvLogger is None: logger.warning( 'App is running with discard handler only, ALL DATA WILL BE DISCARDED!!!' ) else: logger.info( 'App is running in standalone mode, logging data to local filesystem' ) activeHandler = csvLogger else: logger.info( 'App is running against remote server, logging data to ' + httpPoster.target) activeHandler = httpPoster heartbeater.serverURL = httpPoster.target heartbeater.ping() if activeHandler is not None: for device in cfg.recordingDevices.values(): if activeHandler is httpPoster: httpPoster.deviceName = device.name copied = copy.copy(activeHandler) device.dataHandler = (copied if not cfg.useAsyncHandlers else AsyncHandler('recorder', copied))
wireHandlers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cfg):\n logger = logging.getLogger('recorder')\n httpPoster = cfg.handlers.get('remote')\n csvLogger = cfg.handlers.get('local')\n activeHandler = None\n if httpPoster is None:\n if csvLogger is None:\n logger.warning(\n 'App is running with discard handler only, ALL DATA WILL BE DISCARDED!!!'\n )\n else:\n logger.info(\n 'App is running in standalone mode, logging data to local filesystem'\n )\n activeHandler = csvLogger\n else:\n logger.info(\n 'App is running against remote server, logging data to ' +\n httpPoster.target)\n activeHandler = httpPoster\n heartbeater.serverURL = httpPoster.target\n heartbeater.ping()\n if activeHandler is not None:\n for device in cfg.recordingDevices.values():\n if activeHandler is httpPoster:\n httpPoster.deviceName = device.name\n copied = copy.copy(activeHandler)\n device.dataHandler = (copied if not cfg.useAsyncHandlers else\n AsyncHandler('recorder', copied))\n", "role": "user" }, { "content": "wireHandlers", "role": "assistant" } ]
def x(args=None): cfg.configureLogger() wireHandlers(cfg) app.run(debug=cfg.runInDebug(), host='0.0.0.0', port=cfg.getPort())
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args=None):\n cfg.configureLogger()\n wireHandlers(cfg)\n app.run(debug=cfg.runInDebug(), host='0.0.0.0', port=cfg.getPort())\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(self, deviceId): measurementsByName = self.measurements.get(deviceId) if measurementsByName is None: return [] else: return list(measurementsByName.values())
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, deviceId):\n measurementsByName = self.measurements.get(deviceId)\n if measurementsByName is None:\n return []\n else:\n return list(measurementsByName.values())\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, deviceId, measurementId): record = self.measurements.get(deviceId) if record is not None: return record.get(measurementId) return None
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, deviceId, measurementId):\n record = self.measurements.get(deviceId)\n if record is not None:\n return record.get(measurementId)\n return None\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, deviceId, measurementId): record = self.measurements.get(deviceId) if record is not None: measurement = record.get(measurementId) if measurement is not None: if len([x.name for x in measurement.statuses if x.name is 'COMPLETE' or x.name is 'FAILED']) > 0: logger.info('Overwriting existing completed measurement ' + x.name) measurement = None if measurement is None: logger.info('Initiating measurement ' + measurementId) measurement = ScheduledMeasurement(measurementId, self. recordingDevices.get(deviceId)) body = request.get_json() duration_ = body['duration'] def x(): logger.info('Removing ' + measurementId + ' from ' + deviceId) record.pop(measurementId) measurement.schedule(duration_, at=body.get('at'), delay=body. get('delay'), callback=_cleanup) record[measurementId] = measurement return measurement, 200 else: return measurement, 400 else: return 'unknown device ' + deviceId, 400
put
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, deviceId, measurementId):\n record = self.measurements.get(deviceId)\n if record is not None:\n measurement = record.get(measurementId)\n if measurement is not None:\n if len([x.name for x in measurement.statuses if x.name is\n 'COMPLETE' or x.name is 'FAILED']) > 0:\n logger.info('Overwriting existing completed measurement ' +\n x.name)\n measurement = None\n if measurement is None:\n logger.info('Initiating measurement ' + measurementId)\n measurement = ScheduledMeasurement(measurementId, self.\n recordingDevices.get(deviceId))\n body = request.get_json()\n duration_ = body['duration']\n\n def x():\n logger.info('Removing ' + measurementId + ' from ' + deviceId)\n record.pop(measurementId)\n measurement.schedule(duration_, at=body.get('at'), delay=body.\n get('delay'), callback=_cleanup)\n record[measurementId] = measurement\n return measurement, 200\n else:\n return measurement, 400\n else:\n return 'unknown device ' + deviceId, 400\n", "role": "user" }, { "content": "put", "role": "assistant" } ]
def x(self, deviceId, measurementId): record = self.measurements.get(deviceId) if record is not None: popped = record.pop(measurementId, None) return popped, 200 if popped else 400 return None, 400
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, deviceId, measurementId):\n record = self.measurements.get(deviceId)\n if record is not None:\n popped = record.pop(measurementId, None)\n return popped, 200 if popped else 400\n return None, 400\n", "role": "user" }, { "content": "delete", "role": "assistant" } ]
def x(self, deviceId, measurementId): record = self.measurements.get(deviceId) if record is not None: measurement = record.get(measurementId) if measurement.recording: device = self.recordingDevices.get(deviceId) device.signalStop() return measurement, 200 else: return measurement, 400 return '', 400
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, deviceId, measurementId):\n record = self.measurements.get(deviceId)\n if record is not None:\n measurement = record.get(measurementId)\n if measurement.recording:\n device = self.recordingDevices.get(deviceId)\n device.signalStop()\n return measurement, 200\n else:\n return measurement, 400\n return '', 400\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, duration, at=None, delay=None, callback=None): delay = self.calculateDelay(at, delay) self.callback = callback logger.info('Initiating measurement ' + self.name + ' for ' + str( duration) + 's in ' + str(delay) + 's') self.statuses.append({'name': ScheduledMeasurementStatus.SCHEDULED.name, 'time': datetime.utcnow()}) threading.Timer(delay, self.execute, [duration]).start()
schedule
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, duration, at=None, delay=None, callback=None):\n delay = self.calculateDelay(at, delay)\n self.callback = callback\n logger.info('Initiating measurement ' + self.name + ' for ' + str(\n duration) + 's in ' + str(delay) + 's')\n self.statuses.append({'name': ScheduledMeasurementStatus.SCHEDULED.name,\n 'time': datetime.utcnow()})\n threading.Timer(delay, self.execute, [duration]).start()\n", "role": "user" }, { "content": "schedule", "role": "assistant" } ]
def x(self, duration): self.statuses.append({'name': ScheduledMeasurementStatus.RUNNING.name, 'time': datetime.utcnow()}) try: self.recording = True self.device.start(self.name, durationInSeconds=duration) finally: self.recording = False if self.device.status == RecordingDeviceStatus.FAILED: self.statuses.append({'name': ScheduledMeasurementStatus.FAILED. name, 'time': datetime.utcnow(), 'reason': self.device.failureCode} ) else: self.statuses.append({'name': ScheduledMeasurementStatus.COMPLETE. name, 'time': datetime.utcnow()}) if self.callback is not None: self.callback()
execute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, duration):\n self.statuses.append({'name': ScheduledMeasurementStatus.RUNNING.name,\n 'time': datetime.utcnow()})\n try:\n self.recording = True\n self.device.start(self.name, durationInSeconds=duration)\n finally:\n self.recording = False\n if self.device.status == RecordingDeviceStatus.FAILED:\n self.statuses.append({'name': ScheduledMeasurementStatus.FAILED.\n name, 'time': datetime.utcnow(), 'reason': self.device.failureCode}\n )\n else:\n self.statuses.append({'name': ScheduledMeasurementStatus.COMPLETE.\n name, 'time': datetime.utcnow()})\n if self.callback is not None:\n self.callback()\n", "role": "user" }, { "content": "execute", "role": "assistant" } ]
def x(self, at, delay): if at is not None: return max((datetime.strptime(at, DATETIME_FORMAT) - datetime. utcnow()).total_seconds(), 0) elif delay is not None: return delay else: return 0
calculateDelay
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, at, delay):\n if at is not None:\n return max((datetime.strptime(at, DATETIME_FORMAT) - datetime.\n utcnow()).total_seconds(), 0)\n elif delay is not None:\n return delay\n else:\n return 0\n", "role": "user" }, { "content": "calculateDelay", "role": "assistant" } ]
def x(mp_proc_list, pool_size): if len(mp_proc_list) < 1: return procs = [] for p in mp_proc_list: procs.append(WatchedProcess(p)) keep_going = True while keep_going: for p in procs: if p.state == 1: if not p.process.is_alive(): p.state = 2 assert p.process.exitcode is not None, 'Process is not alive but has no exitcode? ' + str( p.process) num_running = len([p for p in procs if p.state == 1]) num_avail_cpus = pool_size - num_running num_to_start = len([p for p in procs if p.state == 0]) if num_to_start < 1: break if num_avail_cpus > 0 and num_to_start > 0: num_to_start_now = min(num_avail_cpus, num_to_start) started_now = 0 for p in procs: if started_now < num_to_start_now and p.state == 0: p.start_process() started_now += 1 time.sleep(1) for p in procs: p.join_process() for p in procs: if 0 != p.process.exitcode: raise RuntimeError('Problem during: ' + str(p.process.name) + ', exitcode: ' + str(p.process.exitcode) + '. Check log.')
launch_and_wait
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(mp_proc_list, pool_size):\n if len(mp_proc_list) < 1:\n return\n procs = []\n for p in mp_proc_list:\n procs.append(WatchedProcess(p))\n keep_going = True\n while keep_going:\n for p in procs:\n if p.state == 1:\n if not p.process.is_alive():\n p.state = 2\n assert p.process.exitcode is not None, 'Process is not alive but has no exitcode? ' + str(\n p.process)\n num_running = len([p for p in procs if p.state == 1])\n num_avail_cpus = pool_size - num_running\n num_to_start = len([p for p in procs if p.state == 0])\n if num_to_start < 1:\n break\n if num_avail_cpus > 0 and num_to_start > 0:\n num_to_start_now = min(num_avail_cpus, num_to_start)\n started_now = 0\n for p in procs:\n if started_now < num_to_start_now and p.state == 0:\n p.start_process()\n started_now += 1\n time.sleep(1)\n for p in procs:\n p.join_process()\n for p in procs:\n if 0 != p.process.exitcode:\n raise RuntimeError('Problem during: ' + str(p.process.name) +\n ', exitcode: ' + str(p.process.exitcode) + '. Check log.')\n", "role": "user" }, { "content": "launch_and_wait", "role": "assistant" } ]
def x(pool_size): if pool_size < 2: return 1, 1 mapping = {(0): (1, 1), (1): (1, 1), (2): (1, 2), (3): (1, 3), (4): (2, 2), (5): (1, 5), (6): (2, 3), (7): (2, 3), (8): (2, 4), (9): (3, 3), (10): (2, 5), (11): (2, 5), (14): (2, 7), (18): (3, 6), (19): (3, 6 ), (28): (4, 7), (29): (4, 7), (32): (4, 8), (33): (4, 8), (34): (4, 8), (40): (4, 10), (41): (4, 10)} if pool_size in mapping: return mapping[pool_size] xnum = int(math.sqrt(pool_size)) ynum = int(1.0 * pool_size / xnum) return xnum, ynum
best_tile_layout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pool_size):\n if pool_size < 2:\n return 1, 1\n mapping = {(0): (1, 1), (1): (1, 1), (2): (1, 2), (3): (1, 3), (4): (2,\n 2), (5): (1, 5), (6): (2, 3), (7): (2, 3), (8): (2, 4), (9): (3, 3),\n (10): (2, 5), (11): (2, 5), (14): (2, 7), (18): (3, 6), (19): (3, 6\n ), (28): (4, 7), (29): (4, 7), (32): (4, 8), (33): (4, 8), (34): (4,\n 8), (40): (4, 10), (41): (4, 10)}\n if pool_size in mapping:\n return mapping[pool_size]\n xnum = int(math.sqrt(pool_size))\n ynum = int(1.0 * pool_size / xnum)\n return xnum, ynum\n", "role": "user" }, { "content": "best_tile_layout", "role": "assistant" } ]
def x(self): logger.warning('Reactor ' + self._name + ' is starting') while self.running: try: self._completeTask() except: logger.exception('Unexpected exception during request processing') logger.warning('Reactor ' + self._name + ' is terminating')
accept
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logger.warning('Reactor ' + self._name + ' is starting')\n while self.running:\n try:\n self._completeTask()\n except:\n logger.exception('Unexpected exception during request processing')\n logger.warning('Reactor ' + self._name + ' is terminating')\n", "role": "user" }, { "content": "accept", "role": "assistant" } ]
def x(self, requestType, *args): if self._funcsByRequest.get(requestType) is not None: self._workQueue.put((requestType, list(*args))) else: logger.error('Ignoring unknown request on reactor ' + self._name + ' ' + requestType)
offer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, requestType, *args):\n if self._funcsByRequest.get(requestType) is not None:\n self._workQueue.put((requestType, list(*args)))\n else:\n logger.error('Ignoring unknown request on reactor ' + self._name +\n ' ' + requestType)\n", "role": "user" }, { "content": "offer", "role": "assistant" } ]
def x(self): try: from . import teal except: teal = None try: tealGui = self._mainGuiObj tealGui.showStatus('Clicked "' + self.getButtonLabel() + '"', keep=1) pscope = self.paramInfo.scope pname = self.paramInfo.name tpo = tealGui._taskParsObj tup = tpo.getExecuteStrings(pscope, pname) code = '' if not tup: if teal: teal.popUpErr(tealGui.top, 'No action to perform', 'Action Button Error') return for exname in tup: if '_RULES_' in tpo and exname in tpo['_RULES_'].configspec: ruleSig = tpo['_RULES_'].configspec[exname] chkArgsDict = vtor_checks.sigStrToKwArgsDict(ruleSig) code = chkArgsDict.get('code') teal.execEmbCode(pscope, pname, self.getButtonLabel(), tealGui, code) tealGui.debug('Finished: "' + self.getButtonLabel() + '"') except Exception as ex: msg = 'Error executing: "' + self.getButtonLabel() + '"\n' + ex.message msgFull = msg + '\n' + ''.join(traceback.format_exc()) msgFull += 'CODE:\n' + code if tealGui: if teal: teal.popUpErr(tealGui.top, msg, 'Action Button Error') tealGui.debug(msgFull) else: if teal: teal.popUpErr(None, msg, 'Action Button Error') print(msgFull)
clicked
[ { "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 from . import teal\n except:\n teal = None\n try:\n tealGui = self._mainGuiObj\n tealGui.showStatus('Clicked \"' + self.getButtonLabel() + '\"', keep=1)\n pscope = self.paramInfo.scope\n pname = self.paramInfo.name\n tpo = tealGui._taskParsObj\n tup = tpo.getExecuteStrings(pscope, pname)\n code = ''\n if not tup:\n if teal:\n teal.popUpErr(tealGui.top, 'No action to perform',\n 'Action Button Error')\n return\n for exname in tup:\n if '_RULES_' in tpo and exname in tpo['_RULES_'].configspec:\n ruleSig = tpo['_RULES_'].configspec[exname]\n chkArgsDict = vtor_checks.sigStrToKwArgsDict(ruleSig)\n code = chkArgsDict.get('code')\n teal.execEmbCode(pscope, pname, self.getButtonLabel(),\n tealGui, code)\n tealGui.debug('Finished: \"' + self.getButtonLabel() + '\"')\n except Exception as ex:\n msg = 'Error executing: \"' + self.getButtonLabel() + '\"\\n' + ex.message\n msgFull = msg + '\\n' + ''.join(traceback.format_exc())\n msgFull += 'CODE:\\n' + code\n if tealGui:\n if teal:\n teal.popUpErr(tealGui.top, msg, 'Action Button Error')\n tealGui.debug(msgFull)\n else:\n if teal:\n teal.popUpErr(None, msg, 'Action Button Error')\n print(msgFull)\n", "role": "user" }, { "content": "clicked", "role": "assistant" } ]
def x(arr, encoding='ascii'): retval = arr.tostring() if PY3K and not isinstance(retval, str): return retval.decode(encoding) else: return retval
ndarr2str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(arr, encoding='ascii'):\n retval = arr.tostring()\n if PY3K and not isinstance(retval, str):\n return retval.decode(encoding)\n else:\n return retval\n", "role": "user" }, { "content": "ndarr2str", "role": "assistant" } ]
def x(arr, encoding='ascii'): retval = arr.tostring() if PY3K and isinstance(retval, str): return retval.encode(encoding) else: return retval
ndarr2bytes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(arr, encoding='ascii'):\n retval = arr.tostring()\n if PY3K and isinstance(retval, str):\n return retval.encode(encoding)\n else:\n return retval\n", "role": "user" }, { "content": "ndarr2bytes", "role": "assistant" } ]
def x(s, encoding='ascii'): if PY3K: if isinstance(s, bytes): return s else: return s.encode(encoding) elif isinstance(s, unicode): return s.encode(encoding) else: return s
tobytes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, encoding='ascii'):\n if PY3K:\n if isinstance(s, bytes):\n return s\n else:\n return s.encode(encoding)\n elif isinstance(s, unicode):\n return s.encode(encoding)\n else:\n return s\n", "role": "user" }, { "content": "tobytes", "role": "assistant" } ]
def x(s, encoding='ascii'): if PY3K: if isinstance(s, str): return s else: return s.decode(encoding) elif isinstance(s, unicode): return s.encode(encoding) else: return s
tostr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, encoding='ascii'):\n if PY3K:\n if isinstance(s, str):\n return s\n else:\n return s.decode(encoding)\n elif isinstance(s, unicode):\n return s.encode(encoding)\n else:\n return s\n", "role": "user" }, { "content": "tostr", "role": "assistant" } ]
def x(func=None, retries=5, backoff=None, exceptions=(IOError, OSError, EOFError), cleanup=None, sleep=time.sleep): @Aspect(bind=True) def x(cutpoint, *args, **kwargs): for count in range(retries + 1): try: if count and cleanup: cleanup(*args, **kwargs) yield break except exceptions as exc: if count == retries: raise if not backoff: timeout = 0 elif isinstance(backoff, (int, float)): timeout = backoff else: timeout = backoff(count) logger.exception( '%s(%s, %s) raised exception %s. %s retries left. Sleeping %s secs.' , cutpoint.__name__, args, kwargs, exc, retries - count, timeout) sleep(timeout) return retry_aspect if func is None else retry_aspect(func)
retry
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func=None, retries=5, backoff=None, exceptions=(IOError, OSError,\n EOFError), cleanup=None, sleep=time.sleep):\n\n @Aspect(bind=True)\n def x(cutpoint, *args, **kwargs):\n for count in range(retries + 1):\n try:\n if count and cleanup:\n cleanup(*args, **kwargs)\n yield\n break\n except exceptions as exc:\n if count == retries:\n raise\n if not backoff:\n timeout = 0\n elif isinstance(backoff, (int, float)):\n timeout = backoff\n else:\n timeout = backoff(count)\n logger.exception(\n '%s(%s, %s) raised exception %s. %s retries left. Sleeping %s secs.'\n , cutpoint.__name__, args, kwargs, exc, retries - count,\n timeout)\n sleep(timeout)\n return retry_aspect if func is None else retry_aspect(func)\n", "role": "user" }, { "content": "retry", "role": "assistant" } ]
def x(self, name, start=None, end=None): entry = self._getCacheEntry(name) if entry is not None: from analyser.common.signal import loadSignalFromWav return loadSignalFromWav(entry['path'], start=start, end=end) else: return None
loadSignal
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, start=None, end=None):\n entry = self._getCacheEntry(name)\n if entry is not None:\n from analyser.common.signal import loadSignalFromWav\n return loadSignalFromWav(entry['path'], start=start, end=end)\n else:\n return None\n", "role": "user" }, { "content": "loadSignal", "role": "assistant" } ]
def x(self, name): return next((x for x in self._uploadCache if x['name'] == name), None)
getCacheEntry
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n return next((x for x in self._uploadCache if x['name'] == name), None)\n", "role": "user" }, { "content": "getCacheEntry", "role": "assistant" } ]
def x(self, tmpCacheEntry): from analyser.common.signal import loadSignalFromWav tmpCacheEntry['status'] = 'converting' logger.info('Loading ' + tmpCacheEntry['path']) signal = loadSignalFromWav(tmpCacheEntry['path']) logger.info('Loaded ' + tmpCacheEntry['path']) if Path(tmpCacheEntry['path']).exists(): logger.info('Deleting ' + tmpCacheEntry['path']) os.remove(tmpCacheEntry['path']) else: logger.warning('Tmp cache file does not exist: ' + tmpCacheEntry[ 'path']) self._tmpCache.remove(tmpCacheEntry) self._conversionCache.append(tmpCacheEntry) srcFs = signal.fs completeSamples = signal.samples outputFileName = os.path.join(self._uploadDir, tmpCacheEntry['name']) if srcFs > 1024: self.writeOutput(outputFileName, completeSamples, srcFs, 1000) else: self.writeOutput(outputFileName, completeSamples, srcFs, srcFs) tmpCacheEntry['status'] = 'loaded' self._conversionCache.remove(tmpCacheEntry) self._uploadCache.append(self._extractMeta(outputFileName, 'loaded'))
convertTmp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tmpCacheEntry):\n from analyser.common.signal import loadSignalFromWav\n tmpCacheEntry['status'] = 'converting'\n logger.info('Loading ' + tmpCacheEntry['path'])\n signal = loadSignalFromWav(tmpCacheEntry['path'])\n logger.info('Loaded ' + tmpCacheEntry['path'])\n if Path(tmpCacheEntry['path']).exists():\n logger.info('Deleting ' + tmpCacheEntry['path'])\n os.remove(tmpCacheEntry['path'])\n else:\n logger.warning('Tmp cache file does not exist: ' + tmpCacheEntry[\n 'path'])\n self._tmpCache.remove(tmpCacheEntry)\n self._conversionCache.append(tmpCacheEntry)\n srcFs = signal.fs\n completeSamples = signal.samples\n outputFileName = os.path.join(self._uploadDir, tmpCacheEntry['name'])\n if srcFs > 1024:\n self.writeOutput(outputFileName, completeSamples, srcFs, 1000)\n else:\n self.writeOutput(outputFileName, completeSamples, srcFs, srcFs)\n tmpCacheEntry['status'] = 'loaded'\n self._conversionCache.remove(tmpCacheEntry)\n self._uploadCache.append(self._extractMeta(outputFileName, 'loaded'))\n", "role": "user" }, { "content": "convertTmp", "role": "assistant" } ]
def x(self, stream, filename, chunkIdx=None): import io more = True outputFileName = filename if chunkIdx is None else filename + '.' + str( chunkIdx) outputDir = self._uploadDir if chunkIdx is None else self._tmpDir chunkFilePath = os.path.join(outputDir, outputFileName) if os.path.exists(chunkFilePath) and os.path.isfile(chunkFilePath): logger.error('Uploaded file already exists: ' + chunkFilePath) return -1 else: chunkFile = open(chunkFilePath, 'xb') count = 0 while more: chunk = stream.read(io.DEFAULT_BUFFER_SIZE) chunkLen = len(chunk) count += chunkLen if chunkLen == 0: more = False else: chunkFile.write(chunk) return count
writeChunk
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stream, filename, chunkIdx=None):\n import io\n more = True\n outputFileName = filename if chunkIdx is None else filename + '.' + str(\n chunkIdx)\n outputDir = self._uploadDir if chunkIdx is None else self._tmpDir\n chunkFilePath = os.path.join(outputDir, outputFileName)\n if os.path.exists(chunkFilePath) and os.path.isfile(chunkFilePath):\n logger.error('Uploaded file already exists: ' + chunkFilePath)\n return -1\n else:\n chunkFile = open(chunkFilePath, 'xb')\n count = 0\n while more:\n chunk = stream.read(io.DEFAULT_BUFFER_SIZE)\n chunkLen = len(chunk)\n count += chunkLen\n if chunkLen == 0:\n more = False\n else:\n chunkFile.write(chunk)\n return count\n", "role": "user" }, { "content": "writeChunk", "role": "assistant" } ]
def x(self, filename, totalChunks, status): def x(x): try: return int(x.suffix[1:]) except ValueError: return -1 def x(x): return x.is_file() and -1 < getChunkIdx(x) <= totalChunks asSingleFile = os.path.join(self._tmpDir, filename) if status.lower() == 'true': chunks = [(getChunkIdx(file), str(file)) for file in Path(self. _tmpDir).glob(filename + '.*') if isChunkFile(file)] with open(asSingleFile, 'xb') as wfd: for f in [x[1] for x in sorted(chunks, key=lambda tup: tup[0])]: with open(f, 'rb') as fd: logger.info('cat ' + f + ' with ' + asSingleFile) shutil.copyfileobj(fd, wfd, 1024 * 1024 * 10) self.cleanupChunks(filename, isChunkFile, status)
finalise
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename, totalChunks, status):\n\n def x(x):\n try:\n return int(x.suffix[1:])\n except ValueError:\n return -1\n\n def x(x):\n return x.is_file() and -1 < getChunkIdx(x) <= totalChunks\n asSingleFile = os.path.join(self._tmpDir, filename)\n if status.lower() == 'true':\n chunks = [(getChunkIdx(file), str(file)) for file in Path(self.\n _tmpDir).glob(filename + '.*') if isChunkFile(file)]\n with open(asSingleFile, 'xb') as wfd:\n for f in [x[1] for x in sorted(chunks, key=lambda tup: tup[0])]:\n with open(f, 'rb') as fd:\n logger.info('cat ' + f + ' with ' + asSingleFile)\n shutil.copyfileobj(fd, wfd, 1024 * 1024 * 10)\n self.cleanupChunks(filename, isChunkFile, status)\n", "role": "user" }, { "content": "finalise", "role": "assistant" } ]
def x(self, filename, samples, srcFs, targetFs): import librosa inputLength = samples.shape[-1] if srcFs != targetFs: if inputLength < targetFs: logger.info('Input signal is too short (' + str(inputLength) + ' samples) for resampling to ' + str(targetFs) + 'Hz') outputSamples = samples targetFs = srcFs else: logger.info('Resampling ' + str(inputLength) + ' samples from ' + str(srcFs) + 'Hz to ' + str(targetFs) + 'Hz') outputSamples = librosa.resample(samples, srcFs, targetFs, res_type='kaiser_fast') else: outputSamples = samples logger.info('Writing output to ' + filename) maxv = np.iinfo(np.int32).max librosa.output.write_wav(filename, (outputSamples * maxv).astype(np. int32), targetFs) logger.info('Output written to ' + filename)
writeOutput
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename, samples, srcFs, targetFs):\n import librosa\n inputLength = samples.shape[-1]\n if srcFs != targetFs:\n if inputLength < targetFs:\n logger.info('Input signal is too short (' + str(inputLength) +\n ' samples) for resampling to ' + str(targetFs) + 'Hz')\n outputSamples = samples\n targetFs = srcFs\n else:\n logger.info('Resampling ' + str(inputLength) + ' samples from ' +\n str(srcFs) + 'Hz to ' + str(targetFs) + 'Hz')\n outputSamples = librosa.resample(samples, srcFs, targetFs,\n res_type='kaiser_fast')\n else:\n outputSamples = samples\n logger.info('Writing output to ' + filename)\n maxv = np.iinfo(np.int32).max\n librosa.output.write_wav(filename, (outputSamples * maxv).astype(np.\n int32), targetFs)\n logger.info('Output written to ' + filename)\n", "role": "user" }, { "content": "writeOutput", "role": "assistant" } ]
def x(self, name): i, entry = next(((i, x) for i, x in enumerate(self._uploadCache) if x[ 'name'] == name), (None, None)) if entry is not None: logger.info('Deleting ' + name) os.remove(str(entry['path'])) del self._uploadCache[i] return entry else: logger.info('Unable to delete ' + name + ', not found') return None
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n i, entry = next(((i, x) for i, x in enumerate(self._uploadCache) if x[\n 'name'] == name), (None, None))\n if entry is not None:\n logger.info('Deleting ' + name)\n os.remove(str(entry['path']))\n del self._uploadCache[i]\n return entry\n else:\n logger.info('Unable to delete ' + name + ', not found')\n return None\n", "role": "user" }, { "content": "delete", "role": "assistant" } ]
def x(master, statusBar, param, defaultParam, doScroll, fieldWidths, plugIn =None, editedCallbackObj=None, helpCallbackObj=None, mainGuiObj=None, defaultsVerb='Default', bg=None, indent=False, flagging=False, flaggedColor=None): if plugIn is not None: eparOption = plugIn elif param.choice is not None: eparOption = EnumEparOption else: eparOption = _eparOptionDict.get(param.type, StringEparOption) eo = eparOption(master, statusBar, param, defaultParam, doScroll, fieldWidths, defaultsVerb, bg, indent=indent, helpCallbackObj= helpCallbackObj, mainGuiObj=mainGuiObj) eo.setEditedCallbackObj(editedCallbackObj) eo.setIsFlagging(flagging, False) if flaggedColor: eo.setFlaggedColor(flaggedColor) return eo
eparOptionFactory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(master, statusBar, param, defaultParam, doScroll, fieldWidths, plugIn\n =None, editedCallbackObj=None, helpCallbackObj=None, mainGuiObj=None,\n defaultsVerb='Default', bg=None, indent=False, flagging=False,\n flaggedColor=None):\n if plugIn is not None:\n eparOption = plugIn\n elif param.choice is not None:\n eparOption = EnumEparOption\n else:\n eparOption = _eparOptionDict.get(param.type, StringEparOption)\n eo = eparOption(master, statusBar, param, defaultParam, doScroll,\n fieldWidths, defaultsVerb, bg, indent=indent, helpCallbackObj=\n helpCallbackObj, mainGuiObj=mainGuiObj)\n eo.setEditedCallbackObj(editedCallbackObj)\n eo.setIsFlagging(flagging, False)\n if flaggedColor:\n eo.setFlaggedColor(flaggedColor)\n return eo\n", "role": "user" }, { "content": "eparOptionFactory", "role": "assistant" } ]
def x(self): self.entry.bind('<FocusIn>', self.watchTextSelection, '+') self.entry.bind('<ButtonRelease-1>', self.watchTextSelection, '+') self.entry.bind('<B1-Motion>', self.watchTextSelection, '+') self.entry.bind('<Shift_L>', self.watchTextSelection, '+') self.entry.bind('<Left>', self.watchTextSelection, '+') self.entry.bind('<Right>', self.watchTextSelection, '+')
extraBindingsForSelectableText
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.entry.bind('<FocusIn>', self.watchTextSelection, '+')\n self.entry.bind('<ButtonRelease-1>', self.watchTextSelection, '+')\n self.entry.bind('<B1-Motion>', self.watchTextSelection, '+')\n self.entry.bind('<Shift_L>', self.watchTextSelection, '+')\n self.entry.bind('<Left>', self.watchTextSelection, '+')\n self.entry.bind('<Right>', self.watchTextSelection, '+')\n", "role": "user" }, { "content": "extraBindingsForSelectableText", "role": "assistant" } ]
def x(self, event=None): if not self.isSelectable: return if self.entryCheck(event) is None: entry = self.entry try: if not entry.selection_present(): self.lastSelection = None else: self.lastSelection = entry.index(SEL_FIRST), entry.index( SEL_LAST) except AttributeError: pass if USING_X and sys.platform == 'darwin': pass else: entry.selection_clear() else: return 'break'
focusOut
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event=None):\n if not self.isSelectable:\n return\n if self.entryCheck(event) is None:\n entry = self.entry\n try:\n if not entry.selection_present():\n self.lastSelection = None\n else:\n self.lastSelection = entry.index(SEL_FIRST), entry.index(\n SEL_LAST)\n except AttributeError:\n pass\n if USING_X and sys.platform == 'darwin':\n pass\n else:\n entry.selection_clear()\n else:\n return 'break'\n", "role": "user" }, { "content": "focusOut", "role": "assistant" } ]
def x(self, event=None): if self.entry.selection_present(): i1 = self.entry.index(SEL_FIRST) i2 = self.entry.index(SEL_LAST) if i1 >= 0 and i2 >= 0 and i2 > i1: sel = self.entry.get()[i1:i2] print('selected: "' + sel + '"')
watchTextSelection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event=None):\n if self.entry.selection_present():\n i1 = self.entry.index(SEL_FIRST)\n i2 = self.entry.index(SEL_LAST)\n if i1 >= 0 and i2 >= 0 and i2 > i1:\n sel = self.entry.get()[i1:i2]\n print('selected: \"' + sel + '\"')\n", "role": "user" }, { "content": "watchTextSelection", "role": "assistant" } ]
def x(self, event=None): try: if self.doScroll(event): self.entry.selection_range(0, END) elif self.lastSelection: self.entry.selection_range(*self.lastSelection) except AttributeError: pass
focusIn
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event=None):\n try:\n if self.doScroll(event):\n self.entry.selection_range(0, END)\n elif self.lastSelection:\n self.entry.selection_range(*self.lastSelection)\n except AttributeError:\n pass\n", "role": "user" }, { "content": "focusIn", "role": "assistant" } ]
def x(self, event=None, val=None, action='entry', skipDups=True): if not self._editedCallbackObj and not self._flagNonDefaultVals: return curVal = val if curVal is None: curVal = self.choice.get() self.flagThisPar(curVal, False) if skipDups and curVal == self._lastWidgetEditedVal: return if not self._editedCallbackObj: return self._editedCallbackObj.edited(self.paramInfo.scope, self.paramInfo. name, self.previousValue, curVal, action) self._lastWidgetEditedVal = curVal
widgetEdited
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event=None, val=None, action='entry', skipDups=True):\n if not self._editedCallbackObj and not self._flagNonDefaultVals:\n return\n curVal = val\n if curVal is None:\n curVal = self.choice.get()\n self.flagThisPar(curVal, False)\n if skipDups and curVal == self._lastWidgetEditedVal:\n return\n if not self._editedCallbackObj:\n return\n self._editedCallbackObj.edited(self.paramInfo.scope, self.paramInfo.\n name, self.previousValue, curVal, action)\n self._lastWidgetEditedVal = curVal\n", "role": "user" }, { "content": "widgetEdited", "role": "assistant" } ]
def x(self, event=None): if NORMAL not in (self.browserEnabled, self.clearEnabled, self. unlearnEnabled, self.helpEnabled): return self.menu = Menu(self.entry, tearoff=0) if self.browserEnabled != DISABLED: if capable.OF_TKFD_IN_EPAR: self.menu.add_command(label='File Browser', state=self. browserEnabled, command=self.fileBrowser) self.menu.add_command(label='Directory Browser', state=self. browserEnabled, command=self.dirBrowser) else: self.menu.add_command(label='File/Directory Browser', state= self.browserEnabled, command=self.fileBrowser) self.menu.add_separator() self.menu.add_command(label='Clear', state=self.clearEnabled, command= self.clearEntry) self.menu.add_command(label=self.defaultsVerb, state=self. unlearnEnabled, command=self.unlearnValue) self.menu.add_command(label='Help', state=self.helpEnabled, command= self.helpOnParam) ycoord = self.entry.winfo_rooty() xcoord = self.entry.winfo_pointerx() - XSHIFT self.menu.tk_popup(xcoord, ycoord)
popupChoices
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event=None):\n if NORMAL not in (self.browserEnabled, self.clearEnabled, self.\n unlearnEnabled, self.helpEnabled):\n return\n self.menu = Menu(self.entry, tearoff=0)\n if self.browserEnabled != DISABLED:\n if capable.OF_TKFD_IN_EPAR:\n self.menu.add_command(label='File Browser', state=self.\n browserEnabled, command=self.fileBrowser)\n self.menu.add_command(label='Directory Browser', state=self.\n browserEnabled, command=self.dirBrowser)\n else:\n self.menu.add_command(label='File/Directory Browser', state=\n self.browserEnabled, command=self.fileBrowser)\n self.menu.add_separator()\n self.menu.add_command(label='Clear', state=self.clearEnabled, command=\n self.clearEntry)\n self.menu.add_command(label=self.defaultsVerb, state=self.\n unlearnEnabled, command=self.unlearnValue)\n self.menu.add_command(label='Help', state=self.helpEnabled, command=\n self.helpOnParam)\n ycoord = self.entry.winfo_rooty()\n xcoord = self.entry.winfo_pointerx() - XSHIFT\n self.menu.tk_popup(xcoord, ycoord)\n", "role": "user" }, { "content": "popupChoices", "role": "assistant" } ]
def x(self): if capable.OF_TKFD_IN_EPAR: fname = askopenfilename(parent=self.entry, title='Select File') else: from . import filedlg self.fd = filedlg.PersistLoadFileDialog(self.entry, 'Select File', '*') if self.fd.Show() != 1: self.fd.DialogCleanup() return fname = self.fd.GetFileName() self.fd.DialogCleanup() if not fname: return self.choice.set(fname) self.lastSelection = None
fileBrowser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if capable.OF_TKFD_IN_EPAR:\n fname = askopenfilename(parent=self.entry, title='Select File')\n else:\n from . import filedlg\n self.fd = filedlg.PersistLoadFileDialog(self.entry, 'Select File', '*')\n if self.fd.Show() != 1:\n self.fd.DialogCleanup()\n return\n fname = self.fd.GetFileName()\n self.fd.DialogCleanup()\n if not fname:\n return\n self.choice.set(fname)\n self.lastSelection = None\n", "role": "user" }, { "content": "fileBrowser", "role": "assistant" } ]
def x(self): if capable.OF_TKFD_IN_EPAR: fname = askdirectory(parent=self.entry, title='Select Directory') else: raise NotImplementedError('Fix popupChoices() logic.') if not fname: return self.choice.set(fname) self.lastSelection = None
dirBrowser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if capable.OF_TKFD_IN_EPAR:\n fname = askdirectory(parent=self.entry, title='Select Directory')\n else:\n raise NotImplementedError('Fix popupChoices() logic.')\n if not fname:\n return\n self.choice.set(fname)\n self.lastSelection = None\n", "role": "user" }, { "content": "dirBrowser", "role": "assistant" } ]
def x(self, newVal, noteEdited=False): if newVal is None: newVal = '' self.choice.set(newVal) if noteEdited: self.widgetEdited(val=newVal, skipDups=False)
forceValue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, newVal, noteEdited=False):\n if newVal is None:\n newVal = ''\n self.choice.set(newVal)\n if noteEdited:\n self.widgetEdited(val=newVal, skipDups=False)\n", "role": "user" }, { "content": "forceValue", "role": "assistant" } ]
def x(self): defaultValue = self.defaultParamInfo.get(field='p_filename', native=0, prompt=0) self.choice.set(defaultValue)
unlearnValue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n defaultValue = self.defaultParamInfo.get(field='p_filename', native=0,\n prompt=0)\n self.choice.set(defaultValue)\n", "role": "user" }, { "content": "unlearnValue", "role": "assistant" } ]
def x(self, active): st = DISABLED if active: st = NORMAL self.entry.configure(state=st) self.inputLabel.configure(state=st) self.promptLabel.configure(state=st)
setActiveState
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, active):\n st = DISABLED\n if active:\n st = NORMAL\n self.entry.configure(state=st)\n self.inputLabel.configure(state=st)\n self.promptLabel.configure(state=st)\n", "role": "user" }, { "content": "setActiveState", "role": "assistant" } ]
def x(self, currentVal, force): if not force and not self._flagNonDefaultVals: return if force and not self._flagNonDefaultVals: self._flagged = False self.promptLabel.configure(fg='black') return currentNative = self.convertToNative(currentVal) defaultNative = self.convertToNative(self.defaultParamInfo.value) if currentNative != defaultNative: if not self._flagged or force: self._flagged = True self.promptLabel.configure(fg=self._flaggedColor) elif self._flagged or force: self._flagged = False self.promptLabel.configure(fg='black')
flagThisPar
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, currentVal, force):\n if not force and not self._flagNonDefaultVals:\n return\n if force and not self._flagNonDefaultVals:\n self._flagged = False\n self.promptLabel.configure(fg='black')\n return\n currentNative = self.convertToNative(currentVal)\n defaultNative = self.convertToNative(self.defaultParamInfo.value)\n if currentNative != defaultNative:\n if not self._flagged or force:\n self._flagged = True\n self.promptLabel.configure(fg=self._flaggedColor)\n elif self._flagged or force:\n self._flagged = False\n self.promptLabel.configure(fg='black')\n", "role": "user" }, { "content": "flagThisPar", "role": "assistant" } ]
def x(self, event): try: self.choice.set(self.shortcuts[event.keysym]) except KeyError: pass
keypress
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n try:\n self.choice.set(self.shortcuts[event.keysym])\n except KeyError:\n pass\n", "role": "user" }, { "content": "keypress", "role": "assistant" } ]
def x(self): value = self.choice.get() try: index = self.paramInfo.choice.index(value) self.entry.menu.activate(index) except ValueError: pass
postcmd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n value = self.choice.get()\n try:\n index = self.paramInfo.choice.index(value)\n self.entry.menu.activate(index)\n except ValueError:\n pass\n", "role": "user" }, { "content": "postcmd", "role": "assistant" } ]
def x(self, aVal): if aVal is None: return None if isinstance(aVal, bool): return aVal return str(aVal).lower() in ('1', 'on', 'yes', 'true')
convertToNative
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, aVal):\n if aVal is None:\n return None\n if isinstance(aVal, bool):\n return aVal\n return str(aVal).lower() in ('1', 'on', 'yes', 'true')\n", "role": "user" }, { "content": "convertToNative", "role": "assistant" } ]
def x(self, event=None): if self.choice.get() == 'yes': self.rbno.select() else: self.rbyes.select() self.widgetEdited()
toggle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event=None):\n if self.choice.get() == 'yes':\n self.rbno.select()\n else:\n self.rbyes.select()\n self.widgetEdited()\n", "role": "user" }, { "content": "toggle", "role": "assistant" } ]
def x(self, event=None, repair=True): valupr = self.choice.get().upper() if valupr.strip() == 'INDEF': self.choice.set(valupr) return EparOption.entryCheck(self, event, repair=repair)
entryCheck
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event=None, repair=True):\n valupr = self.choice.get().upper()\n if valupr.strip() == 'INDEF':\n self.choice.set(valupr)\n return EparOption.entryCheck(self, event, repair=repair)\n", "role": "user" }, { "content": "entryCheck", "role": "assistant" } ]
def x(x, y, xval): if len(x) != len(y): raise ValueError('Input arrays must be equal lengths') if xval < x[0]: raise ValueError('Value %f < min(x) %f: Extrapolation unsupported' % (xval, x[0])) if xval > x[-1]: raise ValueError('Value > max(x): Extrapolation unsupported') if x.argsort().all() != N.arange(len(x)).all(): raise ValueError('Input array x must be sorted') hi = x.searchsorted(xval) lo = hi - 1 try: seg = (float(xval) - x[lo]) / (x[hi] - x[lo]) except ZeroDivisionError: seg = 0.0 yval = y[lo] + seg * (y[hi] - y[lo]) return yval
xyinterp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x, y, xval):\n if len(x) != len(y):\n raise ValueError('Input arrays must be equal lengths')\n if xval < x[0]:\n raise ValueError('Value %f < min(x) %f: Extrapolation unsupported' %\n (xval, x[0]))\n if xval > x[-1]:\n raise ValueError('Value > max(x): Extrapolation unsupported')\n if x.argsort().all() != N.arange(len(x)).all():\n raise ValueError('Input array x must be sorted')\n hi = x.searchsorted(xval)\n lo = hi - 1\n try:\n seg = (float(xval) - x[lo]) / (x[hi] - x[lo])\n except ZeroDivisionError:\n seg = 0.0\n yval = y[lo] + seg * (y[hi] - y[lo])\n return yval\n", "role": "user" }, { "content": "xyinterp", "role": "assistant" } ]
def x(self): self.sampleSizeBytes = self.getPacketSize() if self.sampleSizeBytes > 0: self.maxBytesPerFifoRead = 32 // self.sampleSizeBytes
setSampleSizeBytes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.sampleSizeBytes = self.getPacketSize()\n if self.sampleSizeBytes > 0:\n self.maxBytesPerFifoRead = 32 // self.sampleSizeBytes\n", "role": "user" }, { "content": "setSampleSizeBytes", "role": "assistant" } ]
def x(self): size = 0 if self.isAccelerometerEnabled(): size += 6 if self.isGyroEnabled(): size += 6 if self.isTemperatureEnabled(): size += 2 return size
getPacketSize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n size = 0\n if self.isAccelerometerEnabled():\n size += 6\n if self.isGyroEnabled():\n size += 6\n if self.isTemperatureEnabled():\n size += 2\n return size\n", "role": "user" }, { "content": "getPacketSize", "role": "assistant" } ]
def x(self): logger.debug('Initialising device') self.getInterruptStatus() self.setAccelerometerSensitivity(self._accelerationFactor * 32768.0) self.setGyroSensitivity(self._gyroFactor * 32768.0) self.setSampleRate(self.fs) for loop in self.ZeroRegister: self.i2c_io.write(self.MPU6050_ADDRESS, loop, 0) self.i2c_io.write(self.MPU6050_ADDRESS, self.MPU6050_RA_PWR_MGMT_1, 2) self.i2c_io.write(self.MPU6050_ADDRESS, self.MPU6050_RA_PWR_MGMT_2, 0) self.i2c_io.write(self.MPU6050_ADDRESS, self.MPU6050_RA_INT_ENABLE, 1) self.enableFifo() logger.debug('Initialised device')
initialiseDevice
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logger.debug('Initialising device')\n self.getInterruptStatus()\n self.setAccelerometerSensitivity(self._accelerationFactor * 32768.0)\n self.setGyroSensitivity(self._gyroFactor * 32768.0)\n self.setSampleRate(self.fs)\n for loop in self.ZeroRegister:\n self.i2c_io.write(self.MPU6050_ADDRESS, loop, 0)\n self.i2c_io.write(self.MPU6050_ADDRESS, self.MPU6050_RA_PWR_MGMT_1, 2)\n self.i2c_io.write(self.MPU6050_ADDRESS, self.MPU6050_RA_PWR_MGMT_2, 0)\n self.i2c_io.write(self.MPU6050_ADDRESS, self.MPU6050_RA_INT_ENABLE, 1)\n self.enableFifo()\n logger.debug('Initialised device')\n", "role": "user" }, { "content": "initialiseDevice", "role": "assistant" } ]
def x(self): logger.debug('Enabling acceleration sensor') self.fifoSensorMask |= self.enableAccelerometerMask self._accelEnabled = True self._setSampleSizeBytes()
enableAccelerometer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logger.debug('Enabling acceleration sensor')\n self.fifoSensorMask |= self.enableAccelerometerMask\n self._accelEnabled = True\n self._setSampleSizeBytes()\n", "role": "user" }, { "content": "enableAccelerometer", "role": "assistant" } ]
def x(self): logger.debug('Disabling acceleration sensor') self.fifoSensorMask &= ~self.enableAccelerometerMask self._accelEnabled = False self._setSampleSizeBytes()
disableAccelerometer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logger.debug('Disabling acceleration sensor')\n self.fifoSensorMask &= ~self.enableAccelerometerMask\n self._accelEnabled = False\n self._setSampleSizeBytes()\n", "role": "user" }, { "content": "disableAccelerometer", "role": "assistant" } ]
def x(self): logger.debug('Enabling gyro sensor') self.fifoSensorMask |= self.enableGyroMask self._gyroEnabled = True self._setSampleSizeBytes()
enableGyro
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logger.debug('Enabling gyro sensor')\n self.fifoSensorMask |= self.enableGyroMask\n self._gyroEnabled = True\n self._setSampleSizeBytes()\n", "role": "user" }, { "content": "enableGyro", "role": "assistant" } ]
def x(self): logger.debug('Disabling gyro sensor') self.fifoSensorMask &= ~self.enableGyroMask self._gyroEnabled = False self._setSampleSizeBytes()
disableGyro
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logger.debug('Disabling gyro sensor')\n self.fifoSensorMask &= ~self.enableGyroMask\n self._gyroEnabled = False\n self._setSampleSizeBytes()\n", "role": "user" }, { "content": "disableGyro", "role": "assistant" } ]
def x(self): logger.debug('Enabling temperature sensor') self.fifoSensorMask |= self.enableTemperatureMask self._setSampleSizeBytes()
enableTemperature
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logger.debug('Enabling temperature sensor')\n self.fifoSensorMask |= self.enableTemperatureMask\n self._setSampleSizeBytes()\n", "role": "user" }, { "content": "enableTemperature", "role": "assistant" } ]
def x(self): logger.debug('Disabling temperature sensor') self.fifoSensorMask &= ~self.enableTemperatureMask self._setSampleSizeBytes()
disableTemperature
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logger.debug('Disabling temperature sensor')\n self.fifoSensorMask &= ~self.enableTemperatureMask\n self._setSampleSizeBytes()\n", "role": "user" }, { "content": "disableTemperature", "role": "assistant" } ]
def x(self, value): try: self.i2c_io.write(self.MPU6050_ADDRESS, self.MPU6050_RA_GYRO_CONFIG, {(250): 0, (500): 8, (1000): 16, (2000): 24}[value]) self._gyroFactor = value / 32768.0 self.gyroSensitivity = value logger.debug('Set gyro sensitivity = %d', value) except KeyError: raise ArgumentError(value + ' is not a valid sensitivity (250,500,1000,2000)')
setGyroSensitivity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n try:\n self.i2c_io.write(self.MPU6050_ADDRESS, self.MPU6050_RA_GYRO_CONFIG,\n {(250): 0, (500): 8, (1000): 16, (2000): 24}[value])\n self._gyroFactor = value / 32768.0\n self.gyroSensitivity = value\n logger.debug('Set gyro sensitivity = %d', value)\n except KeyError:\n raise ArgumentError(value +\n ' is not a valid sensitivity (250,500,1000,2000)')\n", "role": "user" }, { "content": "setGyroSensitivity", "role": "assistant" } ]
def x(self, value): try: self.i2c_io.write(self.MPU6050_ADDRESS, self. MPU6050_RA_ACCEL_CONFIG, {(2): 0, (4): 8, (8): 16, (16): 24}[value] ) self._accelerationFactor = value / 32768.0 self.accelerometerSensitivity = value logger.debug('Set accelerometer sensitivity = %d', value) except KeyError: raise ArgumentError(value + ' is not a valid sensitivity (2,4,8,18)')
setAccelerometerSensitivity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n try:\n self.i2c_io.write(self.MPU6050_ADDRESS, self.\n MPU6050_RA_ACCEL_CONFIG, {(2): 0, (4): 8, (8): 16, (16): 24}[value]\n )\n self._accelerationFactor = value / 32768.0\n self.accelerometerSensitivity = value\n logger.debug('Set accelerometer sensitivity = %d', value)\n except KeyError:\n raise ArgumentError(value + ' is not a valid sensitivity (2,4,8,18)')\n", "role": "user" }, { "content": "setAccelerometerSensitivity", "role": "assistant" } ]
def x(self, targetSampleRate): sampleRateDenominator = int(8000 / min(targetSampleRate, 1000) - 1) self.i2c_io.write(self.MPU6050_ADDRESS, self.MPU6050_RA_SMPLRT_DIV, sampleRateDenominator) self.fs = 8000.0 / (sampleRateDenominator + 1.0) logger.debug('Set sample rate = %d', self.fs)
setSampleRate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, targetSampleRate):\n sampleRateDenominator = int(8000 / min(targetSampleRate, 1000) - 1)\n self.i2c_io.write(self.MPU6050_ADDRESS, self.MPU6050_RA_SMPLRT_DIV,\n sampleRateDenominator)\n self.fs = 8000.0 / (sampleRateDenominator + 1.0)\n logger.debug('Set sample rate = %d', self.fs)\n", "role": "user" }, { "content": "setSampleRate", "role": "assistant" } ]
def x(self): logger.debug('Resetting FIFO') self.i2c_io.write(self.MPU6050_ADDRESS, self.MPU6050_RA_USER_CTRL, 0) pass self.i2c_io.write(self.MPU6050_ADDRESS, self.MPU6050_RA_USER_CTRL, 4) pass self.i2c_io.write(self.MPU6050_ADDRESS, self.MPU6050_RA_USER_CTRL, 64) self.getInterruptStatus()
resetFifo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logger.debug('Resetting FIFO')\n self.i2c_io.write(self.MPU6050_ADDRESS, self.MPU6050_RA_USER_CTRL, 0)\n pass\n self.i2c_io.write(self.MPU6050_ADDRESS, self.MPU6050_RA_USER_CTRL, 4)\n pass\n self.i2c_io.write(self.MPU6050_ADDRESS, self.MPU6050_RA_USER_CTRL, 64)\n self.getInterruptStatus()\n", "role": "user" }, { "content": "resetFifo", "role": "assistant" } ]
def x(self): logger.debug('Enabling FIFO') self.i2c_io.write(self.MPU6050_ADDRESS, self.MPU6050_RA_FIFO_EN, 0) self.resetFifo() self.i2c_io.write(self.MPU6050_ADDRESS, self.MPU6050_RA_FIFO_EN, self. fifoSensorMask) logger.debug('Enabled FIFO')
enableFifo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logger.debug('Enabling FIFO')\n self.i2c_io.write(self.MPU6050_ADDRESS, self.MPU6050_RA_FIFO_EN, 0)\n self.resetFifo()\n self.i2c_io.write(self.MPU6050_ADDRESS, self.MPU6050_RA_FIFO_EN, self.\n fifoSensorMask)\n logger.debug('Enabled FIFO')\n", "role": "user" }, { "content": "enableFifo", "role": "assistant" } ]
def x(self): bytes = self.i2c_io.readBlock(self.MPU6050_ADDRESS, self. MPU6050_RA_FIFO_COUNTH, 2) count = (bytes[0] << 8) + bytes[1] logger.debug('FIFO Count: %d', count) return count
getFifoCount
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n bytes = self.i2c_io.readBlock(self.MPU6050_ADDRESS, self.\n MPU6050_RA_FIFO_COUNTH, 2)\n count = (bytes[0] << 8) + bytes[1]\n logger.debug('FIFO Count: %d', count)\n return count\n", "role": "user" }, { "content": "getFifoCount", "role": "assistant" } ]
def x(self, bytesToRead): return self.i2c_io.readBlock(self.MPU6050_ADDRESS, self. MPU6050_RA_FIFO_R_W, bytesToRead)
getDataFromFIFO
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bytesToRead):\n return self.i2c_io.readBlock(self.MPU6050_ADDRESS, self.\n MPU6050_RA_FIFO_R_W, bytesToRead)\n", "role": "user" }, { "content": "getDataFromFIFO", "role": "assistant" } ]
def x(self): samples = [] fifoBytesAvailable = 0 fifoWasReset = False logger.debug('>> provideData target %d samples', self.samplesPerBatch) iterations = 0 breakTime = time() + self.samplesPerBatch / self.fs * 1.5 overdue = False while len(samples) < self.samplesPerBatch and not overdue: iterations += 1 if iterations > self.samplesPerBatch and iterations % 100 == 0: if time() > breakTime: logger.warning( 'Breaking measurement after %d iterations, batch overdue', iterations) overdue = True if fifoBytesAvailable < self.sampleSizeBytes or fifoWasReset: interrupt = self.getInterruptStatus() fifoBytesAvailable = self.getFifoCount() fifoWasReset = False logger.debug('Start sample loop [available: %d , required: %d]', fifoBytesAvailable, self.sampleSizeBytes) if interrupt & 16: logger.error( 'FIFO OVERFLOW, RESETTING [available: %d , interrupt: %d]', fifoBytesAvailable, interrupt) self.measurementOverflowed = True self.resetFifo() fifoWasReset = True elif fifoBytesAvailable == 1024: logger.error('FIFO FULL, RESETTING [available: %d , interrupt: %d]' , fifoBytesAvailable, interrupt) self.measurementOverflowed = True self.resetFifo() fifoWasReset = True elif interrupt & 2 or interrupt & 1: while fifoBytesAvailable < self.sampleSizeBytes: logger.debug( 'Waiting for sample [available: %d , required: %d]', fifoBytesAvailable, self.sampleSizeBytes) fifoBytesAvailable = self.getFifoCount() logger.debug('Processing data [available: %d , required: %d]', fifoBytesAvailable, self.sampleSizeBytes) fifoReadBytes = self.sampleSizeBytes if fifoBytesAvailable > self.sampleSizeBytes: fifoReadBytes = min(fifoBytesAvailable // self. sampleSizeBytes, self.maxBytesPerFifoRead ) * self.sampleSizeBytes logger.debug( 'Excess bytes to read [available: %d , reading: %d]', fifoBytesAvailable, fifoReadBytes) samplesToRead = fifoReadBytes // self.sampleSizeBytes excessSamples = self.samplesPerBatch - len(samples) - samplesToRead if excessSamples < 0: samplesToRead += excessSamples fifoReadBytes = int(samplesToRead * self.sampleSizeBytes) logger.debug( 'Excess samples to read [available: %d , reading: %d]', fifoBytesAvailable, fifoReadBytes) else: logger.debug('Reading [available: %d , reading: %d]', fifoBytesAvailable, fifoReadBytes) fifoBytes = self.getDataFromFIFO(fifoReadBytes) samples.extend([self.unpackSample(fifoBytes[i:i + self. sampleSizeBytes]) for i in range(0, len(fifoBytes), self. sampleSizeBytes)]) fifoBytesAvailable -= fifoReadBytes logger.debug('End sample loop [available: %d , required: %d]', fifoBytesAvailable, self.sampleSizeBytes) logger.debug('<< provideData %d samples', len(samples)) return samples
provideData
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n samples = []\n fifoBytesAvailable = 0\n fifoWasReset = False\n logger.debug('>> provideData target %d samples', self.samplesPerBatch)\n iterations = 0\n breakTime = time() + self.samplesPerBatch / self.fs * 1.5\n overdue = False\n while len(samples) < self.samplesPerBatch and not overdue:\n iterations += 1\n if iterations > self.samplesPerBatch and iterations % 100 == 0:\n if time() > breakTime:\n logger.warning(\n 'Breaking measurement after %d iterations, batch overdue',\n iterations)\n overdue = True\n if fifoBytesAvailable < self.sampleSizeBytes or fifoWasReset:\n interrupt = self.getInterruptStatus()\n fifoBytesAvailable = self.getFifoCount()\n fifoWasReset = False\n logger.debug('Start sample loop [available: %d , required: %d]',\n fifoBytesAvailable, self.sampleSizeBytes)\n if interrupt & 16:\n logger.error(\n 'FIFO OVERFLOW, RESETTING [available: %d , interrupt: %d]',\n fifoBytesAvailable, interrupt)\n self.measurementOverflowed = True\n self.resetFifo()\n fifoWasReset = True\n elif fifoBytesAvailable == 1024:\n logger.error('FIFO FULL, RESETTING [available: %d , interrupt: %d]'\n , fifoBytesAvailable, interrupt)\n self.measurementOverflowed = True\n self.resetFifo()\n fifoWasReset = True\n elif interrupt & 2 or interrupt & 1:\n while fifoBytesAvailable < self.sampleSizeBytes:\n logger.debug(\n 'Waiting for sample [available: %d , required: %d]',\n fifoBytesAvailable, self.sampleSizeBytes)\n fifoBytesAvailable = self.getFifoCount()\n logger.debug('Processing data [available: %d , required: %d]',\n fifoBytesAvailable, self.sampleSizeBytes)\n fifoReadBytes = self.sampleSizeBytes\n if fifoBytesAvailable > self.sampleSizeBytes:\n fifoReadBytes = min(fifoBytesAvailable // self.\n sampleSizeBytes, self.maxBytesPerFifoRead\n ) * self.sampleSizeBytes\n logger.debug(\n 'Excess bytes to read [available: %d , reading: %d]',\n fifoBytesAvailable, fifoReadBytes)\n samplesToRead = fifoReadBytes // self.sampleSizeBytes\n excessSamples = self.samplesPerBatch - len(samples) - samplesToRead\n if excessSamples < 0:\n samplesToRead += excessSamples\n fifoReadBytes = int(samplesToRead * self.sampleSizeBytes)\n logger.debug(\n 'Excess samples to read [available: %d , reading: %d]',\n fifoBytesAvailable, fifoReadBytes)\n else:\n logger.debug('Reading [available: %d , reading: %d]',\n fifoBytesAvailable, fifoReadBytes)\n fifoBytes = self.getDataFromFIFO(fifoReadBytes)\n samples.extend([self.unpackSample(fifoBytes[i:i + self.\n sampleSizeBytes]) for i in range(0, len(fifoBytes), self.\n sampleSizeBytes)])\n fifoBytesAvailable -= fifoReadBytes\n logger.debug('End sample loop [available: %d , required: %d]',\n fifoBytesAvailable, self.sampleSizeBytes)\n logger.debug('<< provideData %d samples', len(samples))\n return samples\n", "role": "user" }, { "content": "provideData", "role": "assistant" } ]
def x(self, rawData): length = len(rawData) unpacked = struct.unpack('>' + 'h' * (length // 2), memoryview( bytearray(rawData)).tobytes()) mpu6050 = collections.OrderedDict() mpu6050[SAMPLE_TIME] = self._sampleIdx / self.fs sensorIdx = 0 if self.isAccelerometerEnabled(): mpu6050[ACCEL_X] = unpacked[sensorIdx] * self._accelerationFactor sensorIdx += 1 mpu6050[ACCEL_Y] = unpacked[sensorIdx] * self._accelerationFactor sensorIdx += 1 mpu6050[ACCEL_Z] = unpacked[sensorIdx] * self._accelerationFactor sensorIdx += 1 if self.isTemperatureEnabled(): mpu6050[TEMP] = unpacked[sensorIdx ] * self._temperatureGain + self._temperatureOffset sensorIdx += 1 if self.isGyroEnabled(): mpu6050[GYRO_X] = unpacked[sensorIdx] * self._gyroFactor sensorIdx += 1 mpu6050[GYRO_Y] = unpacked[sensorIdx] * self._gyroFactor sensorIdx += 1 mpu6050[GYRO_Z] = unpacked[sensorIdx] * self._gyroFactor sensorIdx += 1 output = list(mpu6050.values()) self._sampleIdx += 1 return output
unpackSample
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rawData):\n length = len(rawData)\n unpacked = struct.unpack('>' + 'h' * (length // 2), memoryview(\n bytearray(rawData)).tobytes())\n mpu6050 = collections.OrderedDict()\n mpu6050[SAMPLE_TIME] = self._sampleIdx / self.fs\n sensorIdx = 0\n if self.isAccelerometerEnabled():\n mpu6050[ACCEL_X] = unpacked[sensorIdx] * self._accelerationFactor\n sensorIdx += 1\n mpu6050[ACCEL_Y] = unpacked[sensorIdx] * self._accelerationFactor\n sensorIdx += 1\n mpu6050[ACCEL_Z] = unpacked[sensorIdx] * self._accelerationFactor\n sensorIdx += 1\n if self.isTemperatureEnabled():\n mpu6050[TEMP] = unpacked[sensorIdx\n ] * self._temperatureGain + self._temperatureOffset\n sensorIdx += 1\n if self.isGyroEnabled():\n mpu6050[GYRO_X] = unpacked[sensorIdx] * self._gyroFactor\n sensorIdx += 1\n mpu6050[GYRO_Y] = unpacked[sensorIdx] * self._gyroFactor\n sensorIdx += 1\n mpu6050[GYRO_Z] = unpacked[sensorIdx] * self._gyroFactor\n sensorIdx += 1\n output = list(mpu6050.values())\n self._sampleIdx += 1\n return output\n", "role": "user" }, { "content": "unpackSample", "role": "assistant" } ]
def x(text, width, *args, **kwargs): return sum([(textwrap.wrap(line, width, *args, **kwargs) if line else [ '']) for line in text.splitlines()], [])
wrap
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, width, *args, **kwargs):\n return sum([(textwrap.wrap(line, width, *args, **kwargs) if line else [\n '']) for line in text.splitlines()], [])\n", "role": "user" }, { "content": "wrap", "role": "assistant" } ]
def x(text, width=78, boxchar='#', indent=0): min_width = len(boxchar) * 2 + 3 width = max(width - indent, min_width) indentspace = indent * ' ' wrap_width = width - min_width + 1 q, r = divmod(width, len(boxchar)) top_border = indentspace + boxchar * q + boxchar[:r] top_padding = indentspace + boxchar + ' ' * (width - len(boxchar) * 2 ) + boxchar lines = [('%s%s %s %s' % (indentspace, boxchar, line.ljust(wrap_width), boxchar)) for line in wrap(text, wrap_width)] top = [top_border, top_padding] bottom = [top_padding, top_border] return '\n'.join(top + lines + bottom)
textbox
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, width=78, boxchar='#', indent=0):\n min_width = len(boxchar) * 2 + 3\n width = max(width - indent, min_width)\n indentspace = indent * ' '\n wrap_width = width - min_width + 1\n q, r = divmod(width, len(boxchar))\n top_border = indentspace + boxchar * q + boxchar[:r]\n top_padding = indentspace + boxchar + ' ' * (width - len(boxchar) * 2\n ) + boxchar\n lines = [('%s%s %s %s' % (indentspace, boxchar, line.ljust(wrap_width),\n boxchar)) for line in wrap(text, wrap_width)]\n top = [top_border, top_padding]\n bottom = [top_padding, top_border]\n return '\\n'.join(top + lines + bottom)\n", "role": "user" }, { "content": "textbox", "role": "assistant" } ]