source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(g, full=True): data = dict() if 'gps_attached' not in g.cpars: data['gps_attached'] = 1 else: data['gps_attached'] = 1 if g.cpars['gps_attached'] else 0 data['appdata'] = g.ipars.dumpJSON() data['user'] = g.rpars.dumpJSON() if full: data['hardware'] = g.ccd_hw.dumpJSON() data['tcs'] = g.info.dumpJSON() if g.cpars['telins_name'].lower() == 'gtc' and has_corba: try: s = get_telescope_server() data['gtc_headers'] = dict(create_header_from_telpars(s. getTelescopeParams())) except: g.clog.warn('cannot get GTC headers from telescope server') return data
createJSON
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(g, full=True):\n data = dict()\n if 'gps_attached' not in g.cpars:\n data['gps_attached'] = 1\n else:\n data['gps_attached'] = 1 if g.cp...
def x(g): if not g.cpars['hcam_server_on']: g.clog.warn('insertFITSHDU: servers are not active') return False run_number = getRunNumber(g) tcs_table = g.info.tcs_table g.clog.info('Adding TCS table data to run{:04d}.fits'.format(run_number)) url = g.cpars['hipercam_server'] + 'addhdu' try: fd = StringIO() ascii.write(tcs_table, format='ecsv', output=fd) files = {'file': fd.getvalue()} r = requests.post(url, data={'run': 'run{:04d}.fits'.format( run_number)}, files=files) fd.close() rs = ReadServer(r.content, status_msg=False) if rs.ok: g.clog.info('Response from server was OK') return True else: g.clog.warn('Response from server was not OK') g.clog.warn('Reason: ' + rs.err) return False except Exception as err: g.clog.warn('insertFITSHDU failed') g.clog.warn(str(err))
insertFITSHDU
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(g):\n if not g.cpars['hcam_server_on']:\n g.clog.warn('insertFITSHDU: servers are not active')\n return False\n run_number = getRunNumber(g...
def x(g, command, timeout=10): if not g.cpars['hcam_server_on']: g.clog.warn('execCommand: servers are not active') return False try: url = g.cpars['hipercam_server'] + command g.clog.info('execCommand, command = "' + command + '"') response = urllib.request.urlopen(url, timeout=timeout) rs = ReadServer(response.read(), status_msg=False) g.rlog.info('Server response =\n' + rs.resp()) if rs.ok: g.clog.info('Response from server was OK') return True else: g.clog.warn('Response from server was not OK') g.clog.warn('Reason: ' + rs.err) return False except urllib.error.URLError as err: g.clog.warn('execCommand failed') g.clog.warn(str(err)) return False
execCommand
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(g, command, timeout=10):\n if not g.cpars['hcam_server_on']:\n g.clog.warn('execCommand: servers are not active')\n return False\n try:\n ...
def x(g): if g.cpars['hcam_server_on']: url = g.cpars['hipercam_server'] + 'summary' response = urllib.request.urlopen(url, timeout=2) rs = ReadServer(response.read(), status_msg=True) if not rs.ok: raise DriverError('isRunActive error: ' + str(rs.err)) if rs.state == 'idle': return False elif rs.state == 'active': return True else: raise DriverError('isRunActive error, state = ' + rs.state) else: raise DriverError('isRunActive error: servers are not active')
isRunActive
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(g):\n if g.cpars['hcam_server_on']:\n url = g.cpars['hipercam_server'] + 'summary'\n response = urllib.request.urlopen(url, timeout=2)\n ...
def x(g): if not g.cpars['hcam_server_on']: raise DriverError('getRunNumber error: servers are not active') url = g.cpars['hipercam_server'] + 'status/DET.FRAM2.NO' response = urllib.request.urlopen(url, timeout=2) rs = ReadServer(response.read(), status_msg=False) try: msg = rs.msg except: raise DriverError('getFrameNumber error: no message found') try: frame_no = int(msg.split()[1]) except: raise DriverError('getFrameNumber error: invalid msg ' + msg) return frame_no
getFrameNumber
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(g):\n if not g.cpars['hcam_server_on']:\n raise DriverError('getRunNumber error: servers are not active')\n url = g.cpars['hipercam_server'] + 'st...
def x(g): if not g.cpars['hcam_server_on']: raise DriverError('getRunNumber error: servers are not active') url = g.cpars['hipercam_server'] + 'summary' response = urllib.request.urlopen(url, timeout=2) rs = ReadServer(response.read(), status_msg=True) if rs.ok: return rs.run else: raise DriverError('getRunNumber error: ' + str(rs.err))
getRunNumber
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(g):\n if not g.cpars['hcam_server_on']:\n raise DriverError('getRunNumber error: servers are not active')\n url = g.cpars['hipercam_server'] + 'su...
def x(g, target, maxobj=5, timeout=5): url = 'http://simbad.u-strasbg.fr/simbad/sim-script' q = ('set limit ' + str(maxobj) + """ format object form1 "Target: %IDLIST(1) | %COO(A D;ICRS)" query """ + target) query = urllib.parse.urlencode({'submit': 'submit script', 'script': q}) resp = urllib.request.urlopen(url, query.encode(), timeout) data = False error = False results = [] for line in resp: line = line.decode() if line.startswith('::data::'): data = True if line.startswith('::error::'): error = True if data and line.startswith('Target:'): name, coords = line[7:].split(' | ') results.append({'Name': name.strip(), 'Position': coords.strip( ), 'Frame': 'ICRS'}) resp.close() if error and len(results): g.clog.warn('drivers.check: Simbad: there appear to be some ' + 'results but an error was unexpectedly raised.') return results
checkSimbad
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(g, target, maxobj=5, timeout=5):\n url = 'http://simbad.u-strasbg.fr/simbad/sim-script'\n q = ('set limit ' + str(maxobj) +\n \"\"\"\nformat objec...
def x(self): try: threading.Thread.run(self) except Exception: t, v, tb = sys.exc_info() error = traceback.format_exception_only(t, v)[0][:-1] tback = self.name + ' Traceback (most recent call last):\n' + ''.join( traceback.format_tb(tb)) self.fifo.put((self.name, error, tback))
run
[ { "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 threading.Thread.run(self)\n except Exception:\n t, v, tb = sys.exc_info()\n error = traceback.format_exception_only...
def x(charset, length=32): return ''.join([random.choice(charset) for _ in range(length)])
rand_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(charset, length=32):\n return ''.join([random.choice(charset) for _ in range(length)])\n", "role": "user" }, { "content": "rand_str", "role"...
def x(w): next_level = w while next_level.master: next_level = next_level.master return next_level
get_root
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(w):\n next_level = w\n while next_level.master:\n next_level = next_level.master\n return next_level\n", "role": "user" }, { "conte...
def x(w): root = get_root(w) g = root.globals fsize = g.cpars['font_size'] family = g.cpars['font_family'] g.DEFAULT_FONT = font.nametofont('TkDefaultFont') g.DEFAULT_FONT.configure(size=fsize, weight='bold', family=family) w.option_add('*Font', g.DEFAULT_FONT) g.MENU_FONT = font.nametofont('TkMenuFont') g.MENU_FONT.configure(family=family) w.option_add('*Menu.Font', g.MENU_FONT) g.ENTRY_FONT = font.nametofont('TkTextFont') g.ENTRY_FONT.configure(size=fsize, family=family) w.option_add('*Entry.Font', g.ENTRY_FONT) w.option_add('*background', g.COL['main']) w.option_add('*HighlightBackground', g.COL['main']) w.config(background=g.COL['main'])
addStyle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(w):\n root = get_root(w)\n g = root.globals\n fsize = g.cpars['font_size']\n family = g.cpars['font_family']\n g.DEFAULT_FONT = font.nametofont(...
def x(main_dir: Path, logfile_path: Path, log_level: str): dynamic_data.reset() dynamic_data.init_dirs(main_dir, logfile_path) dynamic_data.check_dirs() tools.create_dir_rec(dynamic_data.MAIN_DIR) tools.create_dir_rec(dynamic_data.TEMP_DIR) tools.create_dir_rec(dynamic_data.DOWNLOAD_DIR) tools.create_dir_rec(dynamic_data.SAVESTAT_DIR) tools.create_dir_rec(Path.resolve(dynamic_data.LOGFILE_PATH).parent) dynamic_data.LOG_LEVEL = log_level logging.basicConfig(filename=dynamic_data.LOGFILE_PATH, filemode='a', level=dynamic_data.LOG_LEVEL, format= '%(asctime)s.%(msecs)03d | %(levelname)s - %(name)s | %(module)s.%(funcName)s: %(message)s' , datefmt='%Y.%m.%d %H:%M:%S') logging.captureWarnings(True) cores = multiprocessing.cpu_count() dynamic_data.USING_CORES = min(4, max(1, cores - 1)) info = f"""{static_data.NAME} {static_data.VERSION} System: {platform.system()} - {platform.version()} - {platform.machine()} - {cores} cores Python: {platform.python_version()} - {' - '.join(platform.python_build())} Arguments: main={main_dir.resolve()} | logfile={logfile_path.resolve()} | loglevel={log_level} Using cores: {dynamic_data.USING_CORES} """ with dynamic_data.LOGFILE_PATH.open(mode='w', encoding='utf8') as writer: writer.write(info) dynamic_data.AVAIL_PLUGINS = APlugin.get_plugins()
init
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(main_dir: Path, logfile_path: Path, log_level: str):\n dynamic_data.reset()\n dynamic_data.init_dirs(main_dir, logfile_path)\n dynamic_data.check_dirs...
def x(plugin: APlugin): plugin.log.info('Get last update') plugin.update_last_update() save_state = plugin.load_save_state() if plugin.last_update <= save_state.last_update: plugin.log.info('No update. Nothing to do.') return plugin.log.info('Get download links') plugin.update_download_links() down_link_item_dict = plugin.get_updated_data(save_state.link_item_dict) plugin.log.info('Compared with save state: ' + str(len(plugin. download_data))) if not down_link_item_dict: plugin.log.info('No new data. Nothing to do.') return plugin.log.info(f'Download new {plugin.unit}s: {len(down_link_item_dict)}') plugin.download(down_link_item_dict, plugin.download_path, 'Download new ' + plugin.unit + 's', plugin.unit) succeed_link_item_dict, lost_link_item_dict = plugin.check_download( down_link_item_dict, plugin.download_path) plugin.log.info( f'Downloaded: {len(succeed_link_item_dict)}/{len(down_link_item_dict)}' ) plugin.log.info('Update savestate') plugin.update_dict(save_state.link_item_dict, succeed_link_item_dict) plugin.log.info('Write savestate') plugin.save_save_state(save_state.link_item_dict)
download_from_plugin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(plugin: APlugin):\n plugin.log.info('Get last update')\n plugin.update_last_update()\n save_state = plugin.load_save_state()\n if plugin.last_updat...
def x(plugin_name: str, options: List[str]=None) ->PluginState: if options is None: options = [] if plugin_name not in dynamic_data.AVAIL_PLUGINS: msg = 'Plugin ' + plugin_name + ' was not found.' logging.error(msg) print(msg) return PluginState.NOT_FOUND try: plugin_class = dynamic_data.AVAIL_PLUGINS[plugin_name].load() plugin = plugin_class(options) except Exception: msg = 'Plugin ' + plugin_name + ' crashed while loading.' logging.exception(msg) print(msg + ' Check log for more information.') return PluginState.LOAD_CRASH else: logging.info('Loaded plugin: ' + plugin_name) try: download_from_plugin(plugin) plugin.clean_up() except PluginException as ex: msg = ( f"Plugin {plugin.name} stopped working. Reason: {'unknown' if ex.msg == '' else ex.msg}" ) logging.error(msg) print(msg) return PluginState.RUN_FAIL except Exception: msg = 'Plugin ' + plugin.name + ' crashed.' logging.exception(msg) print(msg + ' Check log for more information.') return PluginState.RUN_CRASH else: logging.info(plugin.name + ' ends without errors.') return PluginState.END_SUCCESS
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(plugin_name: str, options: List[str]=None) ->PluginState:\n if options is None:\n options = []\n if plugin_name not in dynamic_data.AVAIL_PLUGINS:...
def x(): logging.info('Check for app updates.') try: update = updater.check_for_app_updates() except Exception: logging.exception('Check for updates failed.') return if update: print('!!! UPDATE AVAILABLE !!!\n' + static_data.PROJECT_URL + '\n\n') logging.info('Update available: ' + static_data.PROJECT_URL) else: logging.info('No update available.')
check_update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n logging.info('Check for app updates.')\n try:\n update = updater.check_for_app_updates()\n except Exception:\n logging.exception('C...
def x() ->Version: with urllib3.PoolManager(cert_reqs='CERT_REQUIRED', ca_certs=certifi. where()) as p_man: pypi_json = p_man.urlopen('GET', static_data.PYPI_JSON_URL ).data.decode('utf-8') releases = json.loads(pypi_json).get('releases', []) online_version = Version('0.0.0') for release in releases: cur_version = Version(release) if not cur_version.is_prerelease: online_version = max(online_version, cur_version) return online_version
get_newest_app_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x() ->Version:\n with urllib3.PoolManager(cert_reqs='CERT_REQUIRED', ca_certs=certifi.\n where()) as p_man:\n pypi_json = p_man.urlopen('GET', s...
def x(self): g = get_root(self).globals if not self.nod(): if not self.isDrift(): self.clear.enable() self.nodPattern = {} self.check() return if g.cpars['telins_name'] != 'GTC': messagebox.showerror('Error', 'Cannot dither WHT') self.nod.set(False) self.nodPattern = {} return if self.isDrift(): messagebox.showerror('Error', 'Cannot dither telescope in drift mode') self.nod.set(False) self.nodPattern = {} return if not self.clear(): if not messagebox.askokcancel('Warning', 'Dithering telescope will enable clear mode. Continue?'): self.nod.set(False) self.nodPattern = {} return try: home = expanduser('~') fname = filedialog.askopenfilename(title='Open offsets text file', defaultextension='.txt', filetypes=[('text files', '.txt')], initialdir=home) if not fname: g.clog.warn('Aborted load from disk') raise ValueError ra, dec = np.loadtxt(fname).T if len(ra) != len(dec): g.clog.warn('Mismatched lengths of RA and Dec offsets') raise ValueError data = dict(ra=ra.tolist(), dec=dec.tolist()) except: g.clog.warn('Setting dither pattern failed. Disabling dithering') self.nod.set(False) self.nodPattern = {} return self.nodPattern = data self.clear.set(True) self.check()
setupNodding
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n g = get_root(self).globals\n if not self.nod():\n if not self.isDrift():\n self.clear.enable()\n self.nodPattern = {}\n...
def x(self): numexp = self.number.get() expTime, _, _, _, _ = self.timing() if numexp == 0: numexp = -1 data = dict(numexp=self.number.value(), app=self.app.value(), led_flsh= self.led(), dummy_out=self.dummy(), fast_clks=self.fastClk(), readout=self.readSpeed(), dwell=self.expose.value(), exptime= expTime, oscan=self.oscan(), oscany=self.oscany(), xbin=self.wframe .xbin.value(), ybin=self.wframe.ybin.value(), multipliers=self. nmult.getall(), clear=self.clear()) if data['clear'] and self.nodPattern: data['nodpattern'] = self.nodPattern if data['clear']: data['multipliers'] = [(1) for i in self.nmult.getall()] if not self.isFF(): if self.isDrift(): for setting in ('clear', 'oscan', 'oscany'): data[setting] = 0 data['multipliers'] = [(1) for i in self.nmult.getall()] for iw, (xsl, xsr, ys, nx, ny) in enumerate(self.wframe): data['x{}start_left'.format(iw + 1)] = xsl data['x{}start_right'.format(iw + 1)] = xsr data['y{}start'.format(iw + 1)] = ys data['y{}size'.format(iw + 1)] = ny data['x{}size'.format(iw + 1)] = nx else: data['oscany'] = 0 for iw, (xsll, xsul, xslr, xsur, ys, nx, ny) in enumerate(self. wframe): data['x{}start_upperleft'.format(iw + 1)] = xsul data['x{}start_lowerleft'.format(iw + 1)] = xsll data['x{}start_upperright'.format(iw + 1)] = xsur data['x{}start_lowerright'.format(iw + 1)] = xslr data['y{}start'.format(iw + 1)] = ys data['x{}size'.format(iw + 1)] = nx data['y{}size'.format(iw + 1)] = ny return data
dumpJSON
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n numexp = self.number.get()\n expTime, _, _, _, _ = self.timing()\n if numexp == 0:\n numexp = -1\n data = dict(numexp=self.number.v...
def x(self, json_string): g = get_root(self).globals data = json.loads(json_string)['appdata'] numexp = data.get('numexp', 0) if numexp == -1: numexp = 0 self.number.set(numexp) if 'oscan' in data: self.oscan.set(data['oscan']) if 'oscany' in data: self.oscan.set(data['oscany']) self.led.set(data.get('led_flsh', 0)) self.dummy.set(data.get('dummy_out', 0)) self.fastClk.set(data.get('fast_clks', 0)) self.readSpeed.set(data.get('readout', 'Slow')) dwell = data.get('dwell', 0) self.expose.set(str(float(dwell))) mult_values = data.get('multipliers', (1, 1, 1, 1, 1)) self.nmult.setall(mult_values) nodPattern = data.get('nodpattern', {}) if nodPattern and g.cpars['telins_name'] == 'GTC': self.nodPattern = nodPattern self.nod.set(True) self.clear.set(True) else: self.nodPattern = {} self.nod.set(False) self.quad_frame.xbin.set(data.get('xbin', 1)) self.quad_frame.ybin.set(data.get('ybin', 1)) self.drift_frame.xbin.set(data.get('xbin', 1)) self.drift_frame.ybin.set(data.get('ybin', 1)) if 'app' in data: self.app.set(data['app']) app = data['app'] if app == 'Drift': self.clear.set(0) self.wframe.npair.set(1) labels = ('x1start_left', 'y1start', 'x1start_right', 'x1size', 'y1size') if not all(label in data for label in labels): raise DriverError( 'Drift mode application missing window params') self.wframe.xsl[0].set(data['x1start_left']) self.wframe.xsr[0].set(data['x1start_right']) self.wframe.ys[0].set(data['y1start']) self.wframe.nx[0].set(data['x1size']) self.wframe.ny[0].set(data['y1size']) self.wframe.check() elif app == 'FullFrame': self.clear.set(data.get('clear', 0)) elif app == 'Windows': self.clear.set(data.get('clear', 0)) nquad = 0 for nw in range(2): labels = ( 'x{0}start_lowerleft y{0}start x{0}start_upperleft x{0}start_upperright ' + 'x{0}start_lowerright x{0}size y{0}size').format(nw + 1 ).split() if all(label in data for label in labels): xsll = data[labels[0]] xslr = data[labels[4]] xsul = data[labels[2]] xsur = data[labels[3]] ys = data[labels[1]] nx = data[labels[5]] ny = data[labels[6]] self.wframe.xsll[nw].set(xsll) self.wframe.xslr[nw].set(xslr) self.wframe.xsul[nw].set(xsul) self.wframe.xsur[nw].set(xsur) self.wframe.ys[nw].set(ys) self.wframe.nx[nw].set(nx) self.wframe.ny[nw].set(ny) nquad += 1 else: break self.wframe.nquad.set(nquad) self.wframe.check()
loadJSON
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, json_string):\n g = get_root(self).globals\n data = json.loads(json_string)['appdata']\n numexp = data.get('numexp', 0)\n if numexp == -1:\n ...
def x(self, *args): status = True g = get_root(self).globals xbinw, ybinw = self.wframe.xbin, self.wframe.ybin xbinw.config(bg=g.COL['main']) ybinw.config(bg=g.COL['main']) oframe, aframe = (self.quad_frame, self.drift_frame ) if self.drift_frame.winfo_ismapped() else (self.drift_frame, self .quad_frame) xbin, ybin = aframe.xbin.value(), aframe.ybin.value() oframe.xbin.set(xbin) oframe.ybin.set(ybin) if not self.frozen: if self.clear() or self.isDrift(): self.nmult.disable() else: self.nmult.enable() if self.isDrift(): self.clearLab.config(state='disable') self.nodLab.config(state='disable') if not self.drift_frame.winfo_ismapped(): self.quad_frame.grid_forget() self.drift_frame.grid(row=10, column=0, columnspan=3, sticky=tk .W + tk.N) if not self.frozen: self.oscany.config(state='disable') self.oscan.config(state='disable') self.clear.config(state='disable') self.nod.config(state='disable') self.wframe.enable() status = self.wframe.check() elif self.isFF(): if 1024 % xbin != 0: status = False xbinw.config(bg=g.COL['error']) elif 1024 // xbin % 4 != 0: status = False xbinw.config(bg=g.COL['error']) if 512 % ybin != 0: status = False ybinw.config(bg=g.COL['error']) if not self.quad_frame.winfo_ismapped(): self.drift_frame.grid_forget() self.quad_frame.grid(row=10, column=0, columnspan=3, sticky=tk. W + tk.N) self.clearLab.config(state='normal') if g.cpars['telins_name'] == 'GTC': self.nodLab.config(state='normal') else: self.nodLab.config(state='disable') if not self.frozen: self.oscany.config(state='normal') self.oscan.config(state='normal') self.clear.config(state='normal') if g.cpars['telins_name'] == 'GTC': self.nod.config(state='normal') else: self.nod.config(state='disable') self.wframe.disable() else: self.clearLab.config(state='normal') if g.cpars['telins_name'] == 'GTC': self.nodLab.config(state='normal') else: self.nodLab.config(state='disable') if not self.quad_frame.winfo_ismapped(): self.drift_frame.grid_forget() self.quad_frame.grid(row=10, column=0, columnspan=3, sticky=tk. W + tk.N) if not self.frozen: self.oscany.config(state='disable') self.oscan.config(state='normal') self.clear.config(state='normal') if g.cpars['telins_name'] == 'GTC': self.nod.config(state='normal') else: self.nod.config(state='disable') self.wframe.enable() status = self.wframe.check() if self.expose.ok(): self.expose.config(bg=g.COL['main']) else: self.expose.config(bg=g.COL['warn']) status = False if self.oscan() or self.oscany(): if xbin not in (1, 2): status = False xbinw.config(bg=g.COL['error']) if ybin not in (1, 2): status = False ybinw.config(bg=g.COL['error']) if not self.frozen: if self.nod() or self.nodPattern: self.clear.config(state='disabled') self.clearLab.config(state='disabled') elif not self.isDrift(): self.clear.config(state='normal') self.clearLab.config(state='normal') if status: if g.cpars['hcam_server_on'] and g.cpars['eso_server_online' ] and g.observe.start['state'] == 'disabled' and not isRunActive(g ): g.observe.start.enable() g.count.update() else: g.observe.start.disable() return status
check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args):\n status = True\n g = get_root(self).globals\n xbinw, ybinw = self.wframe.xbin, self.wframe.ybin\n xbinw.config(bg=g.COL['main'])\n ...
def x(self): self.app.disable() self.clear.disable() self.nod.disable() self.led.disable() self.dummy.disable() self.readSpeed.disable() self.expose.disable() self.number.disable() self.wframe.disable(everything=True) self.nmult.disable() self.frozen = True
freeze
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.app.disable()\n self.clear.disable()\n self.nod.disable()\n self.led.disable()\n self.dummy.disable()\n self.readSpeed.disable(...
def x(self): self.app.enable() self.clear.enable() self.nod.enable() self.led.enable() self.dummy.enable() self.readSpeed.enable() self.expose.enable() self.number.enable() self.wframe.enable() self.nmult.enable() self.frozen = False
unfreeze
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.app.enable()\n self.clear.enable()\n self.nod.enable()\n self.led.enable()\n self.dummy.enable()\n self.readSpeed.enable()\n ...
def x(self): try: if self.isFF(): return 'fullframe\r\n' elif self.isDrift(): xbin = self.wframe.xbin.value() ybin = self.wframe.ybin.value() nwin = 2 * self.wframe.npair.value() ret = str(xbin) + ' ' + str(ybin) + ' ' + str(nwin) + '\r\n' for xsl, xsr, ys, nx, ny in self.wframe: ret += '{:d} {:d} {:d} {:d}\r\n'.format(xsl, ys, nx, ny) ret += '{:d} {:d} {:d} {:d}'.format(xsr, ys, nx, ny) return ret else: xbin = self.wframe.xbin.value() ybin = self.wframe.ybin.value() nwin = 4 * self.wframe.nquad.value() ret = str(xbin) + ' ' + str(ybin) + ' ' + str(nwin) + '\r\n' for xsll, xsul, xslr, xsur, ys, nx, ny in self.wframe: ret += '{:d} {:d} {:d} {:d}\r\n'.format(xsll, ys, nx, ny) ret += '{:d} {:d} {:d} {:d}\r\n'.format(xsul, 1025 - ys - ny, nx, ny) ret += '{:d} {:d} {:d} {:d}\r\n'.format(xslr, ys, nx, ny) ret += '{:d} {:d} {:d} {:d}\r\n'.format(xsur, 1025 - ys - ny, nx, ny) return ret except: return ''
getRtplotWins
[ { "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 if self.isFF():\n return 'fullframe\\r\\n'\n elif self.isDrift():\n xbin = self.wframe.xbin.value()\n ...
def x(self, json_string): g = get_root(self).globals user = json.loads(json_string)['user'] def x(widget, field): val = user.get(field) if val is not None: widget.set(val) setField(self.prog_ob.obid, 'OB') setField(self.target, 'target') setField(self.prog_ob.progid, 'ID') setField(self.pi, 'PI') setField(self.observers, 'Observers') setField(self.comment, 'comment') setField(self.filter, 'filters') setField(g.observe.rtype, 'flags')
loadJSON
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, json_string):\n g = get_root(self).globals\n user = json.loads(json_string)['user']\n\n def x(widget, field):\n val = user.get(field)\n ...
def x(self): g = get_root(self).globals dtype = g.observe.rtype() if dtype == 'bias': target = 'BIAS' elif dtype == 'flat': target = 'FLAT' elif dtype == 'dark': target = 'DARK' else: target = self.target.value() return dict(target=target, ID=self.prog_ob.progid.value(), PI=self.pi. value(), OB='{:04d}'.format(self.prog_ob.obid.value()), Observers= self.observers.value(), comment=self.comment.value(), flags=dtype, filters=self.filter.value())
dumpJSON
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n g = get_root(self).globals\n dtype = g.observe.rtype()\n if dtype == 'bias':\n target = 'BIAS'\n elif dtype == 'flat':\n tar...
def x(self, *args): ok = True msg = '' g = get_root(self).globals dtype = g.observe.rtype() expert = g.cpars['expert_level'] > 0 if dtype == 'bias' or dtype == 'flat' or dtype == 'dark': self.pi.configure(state='disable') self.prog_ob.configure(state='disable') self.target.disable() else: if expert: self.pi.configure(state='normal') self.prog_ob.configure(state='normal') self.prog_ob.enable() else: self.prog_ob.configure(state='disable') self.pi.configure(state='disable') self.prog_ob.disable() self.target.enable() if g.cpars['require_run_params']: if self.target.ok(): self.target.entry.config(bg=g.COL['main']) else: self.target.entry.config(bg=g.COL['error']) ok = False msg += 'Target name field cannot be blank\n' if dtype == 'data caution' or dtype == 'data' or dtype == 'technical': if self.prog_ob.ok(): self.prog_ob.config(bg=g.COL['main']) else: self.prog_ob.config(bg=g.COL['error']) ok = False msg += 'Programme or OB ID field cannot be blank\n' if self.pi.ok(): self.pi.config(bg=g.COL['main']) else: self.pi.config(bg=g.COL['error']) ok = False msg += 'Principal Investigator field cannot be blank\n' if self.observers.ok(): self.observers.config(bg=g.COL['main']) else: self.observers.config(bg=g.COL['error']) ok = False msg += 'Observers field cannot be blank' return ok, msg
check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args):\n ok = True\n msg = ''\n g = get_root(self).globals\n dtype = g.observe.rtype()\n expert = g.cpars['expert_level'] > 0\n if dty...
def x(self): self.target.disable() self.filter.configure(state='disable') self.prog_ob.configure(state='disable') self.pi.configure(state='disable') self.observers.configure(state='disable') self.comment.configure(state='disable')
freeze
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.target.disable()\n self.filter.configure(state='disable')\n self.prog_ob.configure(state='disable')\n self.pi.configure(state='disabl...
def x(self): g = get_root(self).globals self.filter.configure(state='normal') dtype = g.observe.rtype() if dtype == 'data caution' or dtype == 'data' or dtype == 'technical': self.prog_ob.configure(state='normal') self.pi.configure(state='normal') self.target.enable() self.observers.configure(state='normal') self.comment.configure(state='normal')
unfreeze
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n g = get_root(self).globals\n self.filter.configure(state='normal')\n dtype = g.observe.rtype()\n if dtype == 'data caution' or dtype == 'd...
def x(self, *args): g = get_root(self).globals if not self.check(): g.clog.warn('Current observing parameters are not valid.') return False if not g.ipars.check(): g.clog.warn('Current instrument parameters are not valid.') return False
checkUpdate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args):\n g = get_root(self).globals\n if not self.check():\n g.clog.warn('Current observing parameters are not valid.')\n return Fal...
def x(self): status = True g = get_root(self).globals if self.mag.ok(): self.mag.config(bg=g.COL['main']) else: self.mag.config(bg=g.COL['warn']) status = False if self.airmass.ok(): self.airmass.config(bg=g.COL['main']) else: self.airmass.config(bg=g.COL['warn']) status = False if self.seeing.ok(): self.seeing.config(bg=g.COL['main']) else: self.seeing.config(bg=g.COL['warn']) status = False return status
check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n status = True\n g = get_root(self).globals\n if self.mag.ok():\n self.mag.config(bg=g.COL['main'])\n else:\n self.mag.config...
def x(self, *args): g = get_root(self).globals expTime, deadTime, cycleTime, dutyCycle, frameRate = g.ipars.timing() total, peak, peakSat, peakWarn, ston, ston3 = self.counts(expTime, cycleTime) if cycleTime < 0.01: self.cadence.config(text='{0:7.5f} s'.format(cycleTime)) elif cycleTime < 0.1: self.cadence.config(text='{0:6.4f} s'.format(cycleTime)) elif cycleTime < 1.0: self.cadence.config(text='{0:5.3f} s'.format(cycleTime)) elif cycleTime < 10.0: self.cadence.config(text='{0:4.2f} s'.format(cycleTime)) elif cycleTime < 100.0: self.cadence.config(text='{0:4.1f} s'.format(cycleTime)) elif cycleTime < 1000.0: self.cadence.config(text='{0:4.0f} s'.format(cycleTime)) else: self.cadence.config(text='{0:5.0f} s'.format(cycleTime)) if expTime < 0.01: self.exposure.config(text='{0:7.5f} s'.format(expTime)) elif expTime < 0.1: self.exposure.config(text='{0:6.4f} s'.format(expTime)) elif expTime < 1.0: self.exposure.config(text='{0:5.3f} s'.format(expTime)) elif expTime < 10.0: self.exposure.config(text='{0:4.2f} s'.format(expTime)) elif expTime < 100.0: self.exposure.config(text='{0:4.1f} s'.format(expTime)) elif expTime < 1000.0: self.exposure.config(text='{0:4.0f} s'.format(expTime)) else: self.exposure.config(text='{0:5.0f} s'.format(expTime)) self.duty.config(text='{0:4.1f} %'.format(dutyCycle)) self.peak.config(text='{0:d} cts'.format(int(round(peak)))) if peakSat: self.peak.config(bg=g.COL['error']) elif peakWarn: self.peak.config(bg=g.COL['warn']) else: self.peak.config(bg=g.COL['main']) self.total.config(text='{0:d} cts'.format(int(round(total)))) self.ston.config(text='{0:.1f}'.format(ston)) self.ston3.config(text='{0:.1f}'.format(ston3))
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args):\n g = get_root(self).globals\n expTime, deadTime, cycleTime, dutyCycle, frameRate = g.ipars.timing()\n total, peak, peakSat, peakWarn, s...
def x(self, expTime, cycleTime, ap_scale=1.6, ndiv=5): g = get_root(self).globals readSpeed = g.ipars.readSpeed() if readSpeed == 'Fast': gain = GAIN_FAST read = RNO_FAST elif readSpeed == 'Slow': gain = GAIN_SLOW read = RNO_SLOW else: raise DriverError('CountsFrame.counts: readout speed = ' + readSpeed + ' not recognised.') xbin, ybin = g.ipars.wframe.xbin.value(), g.ipars.wframe.ybin.value() zero, sky, skyTot, darkTot = 0.0, 0.0, 0.0, 0.0 total, peak, correct, signal, readTot, seeing = (0.0, 0.0, 0.0, 0.0, 0.0, 0.0) noise, narcsec, npix, signalToNoise3 = 1.0, 0.0, 0.0, 0.0 tinfo = g.TINS[g.cpars['telins_name']] filtnam = self.filter.value() zero = tinfo['zerop'][filtnam] mag = self.mag.value() seeing = self.seeing.value() sky = g.SKY[self.moon.value()][filtnam] airmass = self.airmass.value() plateScale = tinfo['plateScale'] total = 10.0 ** ((zero - mag - airmass * g.EXTINCTION[filtnam]) / 2.5 ) * expTime sigma = seeing / g.EFAC / plateScale sum = 0.0 for iyp in range(ybin): yoff = -ybin / 2.0 + iyp for ixp in range(xbin): xoff = -xbin / 2.0 + ixp for iys in range(ndiv): y = (yoff + (iys + 0.5) / ndiv) / sigma for ixs in range(ndiv): x = (xoff + (ixs + 0.5) / ndiv) / sigma sum += math.exp(-(x * x + y * y) / 2.0) peak = total * sum / (2.0 * math.pi * sigma ** 2 * ndiv ** 2) correct = 1.0 - math.exp(-(g.EFAC * ap_scale) ** 2 / 2.0) skyPerArcsec = 10.0 ** ((zero - sky) / 2.5) * expTime narcsec = math.pi * (ap_scale * seeing) ** 2 skyTot = skyPerArcsec * narcsec npix = math.pi * (ap_scale * seeing / plateScale) ** 2 / xbin / ybin signal = correct * total darkTot = npix * DARK_E * expTime readTot = npix * read ** 2 noise = math.sqrt(readTot + darkTot + skyTot + signal) signalToNoise3 = signal / noise * math.sqrt(3 * 3600.0 / cycleTime) total /= gain peak /= gain warn = 25000 sat = 60000 peakSat = peak > sat peakWarn = peak > warn return total, peak, peakSat, peakWarn, signal / noise, signalToNoise3
counts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, expTime, cycleTime, ap_scale=1.6, ndiv=5):\n g = get_root(self).globals\n readSpeed = g.ipars.readSpeed()\n if readSpeed == 'Fast':\n gai...
def x(self): w.ActButton.disable(self) g = get_root(self).globals if self._expert: self.config(bg=g.COL['start']) else: self.config(bg=g.COL['startD'])
disable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n w.ActButton.disable(self)\n g = get_root(self).globals\n if self._expert:\n self.config(bg=g.COL['start'])\n else:\n self.co...
def x(self): w.ActButton.setExpert(self) g = get_root(self).globals self.config(bg=g.COL['start'])
setExpert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n w.ActButton.setExpert(self)\n g = get_root(self).globals\n self.config(bg=g.COL['start'])\n", "role": "user" }, { "content": "set...
def x(self): g = get_root(self).globals msg = """ HiperCAM has an o/scan of 50 pixels. Your binning does not fit into this region. Some columns will contain a mix of o/scan and data. Click OK if you wish to continue.""" if g.ipars.oscan(): xbin, ybin = g.ipars.wframe.xbin.value(), g.ipars.wframe.ybin.value() if xbin not in (1, 2, 5, 10) or ybin not in (1, 2, 5, 10): if not messagebox.askokcancel('Binning alert', msg): return False if not g.ipars.check(): g.clog.warn('Invalid instrument parameters; save failed.') return False data = createJSON(g) try: success = postJSON(g, data) if not success: raise Exception('postJSON returned False') except Exception as err: g.clog.warn('Failed to post data to servers') g.clog.warn(str(err)) return False try: success = startNodding(g, data) if not success: raise Exception('Failed to start dither: response was false') except Exception as err: g.clog.warn('Failed to start GTC offsetter') g.clog.warn(str(err)) return False try: success = execCommand(g, 'start') if not success: raise Exception('Start command failed: check server response') except Exception as err: g.clog.warn('Failed to start run') g.clog.warn(str(err)) return False try: success = forceNod(g, data) if not success: raise Exception( 'Failed to send intitial offset and trigger - exposure will be paused indefinitely' ) except Exception as err: g.clog.warn('Run is paused indefinitely') g.clog.warn('use "ngcbCmd seq start" to fix') g.clog.warn(str(err)) self.disable() self.run_type_set = False g.observe.stop.enable() g.info.timer.start() g.info.clear_tcs_table() return True
act
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n g = get_root(self).globals\n msg = \"\"\"\n HiperCAM has an o/scan of 50 pixels.\n Your binning does not fit into this\n re...
def x(self): g = get_root(self).globals fname = filedialog.askopenfilename(defaultextension='.json', filetypes= [('json files', '.json'), ('fits files', '.fits')], initialdir=g. cpars['app_directory']) if not fname: g.clog.warn('Aborted load from disk') return False if fname.endswith('.json'): with open(fname) as ifname: json_string = ifname.read() else: json_string = jsonFromFits(fname) g.ipars.loadJSON(json_string) g.rpars.loadJSON(json_string) return True
act
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n g = get_root(self).globals\n fname = filedialog.askopenfilename(defaultextension='.json', filetypes=\n [('json files', '.json'), ('fits f...
def x(self): g = get_root(self).globals g.clog.info('\nSaving current application to disk') if not g.ipars.check(): g.clog.warn('Invalid instrument parameters; save failed.') return False rok, msg = g.rpars.check() if not rok: g.clog.warn('Invalid run parameters; save failed.') g.clog.warn(msg) return False data = createJSON(g, full=False) if saveJSON(g, data): g.observe.load.enable() g.observe.unfreeze.disable() g.ipars.unfreeze() g.rpars.unfreeze() return True else: return False
act
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n g = get_root(self).globals\n g.clog.info('\\nSaving current application to disk')\n if not g.ipars.check():\n g.clog.warn('Invalid ins...
def x(self): g = get_root(self).globals g.ipars.unfreeze() g.rpars.unfreeze() g.observe.load.enable() self.disable()
act
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n g = get_root(self).globals\n g.ipars.unfreeze()\n g.rpars.unfreeze()\n g.observe.load.enable()\n self.disable()\n", "role": "user" ...
def x(self): g = get_root(self).globals level = g.cpars['expert_level'] if level == 0 or level == 1: self.load.setNonExpert() self.save.setNonExpert() self.unfreeze.setNonExpert() self.start.setNonExpert() self.stop.setNonExpert() elif level == 2: self.load.setExpert() self.save.setExpert() self.unfreeze.setExpert() self.start.setExpert() self.stop.setExpert()
setExpertLevel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n g = get_root(self).globals\n level = g.cpars['expert_level']\n if level == 0 or level == 1:\n self.load.setNonExpert()\n self.s...
def x(mcs_args: McsArgs, default_factory_class: Type[MetaOptionsFactory]= MetaOptionsFactory, factory_attr_name: str= META_OPTIONS_FACTORY_CLASS_ATTR_NAME) ->MetaOptionsFactory: factory_cls = mcs_args.getattr(factory_attr_name or META_OPTIONS_FACTORY_CLASS_ATTR_NAME, default_factory_class) options_factory = factory_cls() options_factory._contribute_to_class(mcs_args) return options_factory
process_factory_meta_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(mcs_args: McsArgs, default_factory_class: Type[MetaOptionsFactory]=\n MetaOptionsFactory, factory_attr_name: str=\n META_OPTIONS_FACTORY_CLASS_ATTR_NAME)...
def x(clsdict: Dict[str, Any], bases: Tuple[Type[object], ...], name: str, default: Any=_missing) ->Any: value = clsdict.get(name, _missing) if value != _missing: return value for base in bases: value = getattr(base, name, _missing) if value != _missing: return value if default != _missing: return default raise AttributeError(name)
deep_getattr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(clsdict: Dict[str, Any], bases: Tuple[Type[object], ...], name: str,\n default: Any=_missing) ->Any:\n value = clsdict.get(name, _missing)\n if value ...
def x(self, name, default: Any=_missing): return deep_getattr(self.clsdict, self.bases, name, default)
getattr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, default: Any=_missing):\n return deep_getattr(self.clsdict, self.bases, name, default)\n", "role": "user" }, { "content": "getattr",...
def x(self) ->str: if self.module: return self.module + '.' + self.name return self.name
qualname
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->str:\n if self.module:\n return self.module + '.' + self.name\n return self.name\n", "role": "user" }, { "content": "qualname"...
def x(self) ->bool: meta_value = getattr(self.clsdict.get('Meta'), 'abstract', False) return self.clsdict.get(ABSTRACT_ATTR, meta_value) is True
is_abstract
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->bool:\n meta_value = getattr(self.clsdict.get('Meta'), 'abstract', False)\n return self.clsdict.get(ABSTRACT_ATTR, meta_value) is True\n", "r...
def x(self, Meta: Type[object], base_classes_meta, mcs_args: McsArgs) ->Any: value = self.default if self.inherit and base_classes_meta is not None: value = getattr(base_classes_meta, self.name, value) if Meta is not None: value = getattr(Meta, self.name, value) return value
get_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Meta: Type[object], base_classes_meta, mcs_args: McsArgs) ->Any:\n value = self.default\n if self.inherit and base_classes_meta is not None:\n ...
def x(self) ->List[MetaOption]: return [(option if isinstance(option, MetaOption) else option()) for option in self._options]
get_meta_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->List[MetaOption]:\n return [(option if isinstance(option, MetaOption) else option()) for\n option in self._options]\n", "role": "user" ...
def x(self, mcs_args: McsArgs): self._mcs_args = mcs_args Meta = mcs_args.clsdict.pop('Meta', None) base_classes_meta = mcs_args.getattr('Meta', None) mcs_args.clsdict['Meta'] = self self._fill_from_meta(Meta, base_classes_meta, mcs_args) for option in self._get_meta_options(): option_value = getattr(self, option.name, None) option.contribute_to_class(mcs_args, option_value)
contribute_to_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mcs_args: McsArgs):\n self._mcs_args = mcs_args\n Meta = mcs_args.clsdict.pop('Meta', None)\n base_classes_meta = mcs_args.getattr('Meta', None)...
def x(self, Meta: Type[object], base_classes_meta, mcs_args: McsArgs): meta_attrs = {} if not Meta else {k: v for k, v in vars(Meta).items() if not k.startswith('_')} for option in self._get_meta_options(): existing = getattr(self, option.name, None) if existing and not (existing in self._allowed_properties and not isinstance(existing, property)): raise RuntimeError("Can't override field {name}.".format(name= option.name)) value = option.get_value(Meta, base_classes_meta, mcs_args) option.check_value(value, mcs_args) meta_attrs.pop(option.name, None) if option.name != '_': setattr(self, option.name, value) if meta_attrs: raise TypeError( '`class Meta` for {cls} got unknown attribute(s) {attrs}'. format(cls=mcs_args.name, attrs=', '.join(sorted(meta_attrs. keys()))))
fill_from_meta
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Meta: Type[object], base_classes_meta, mcs_args: McsArgs):\n meta_attrs = {} if not Meta else {k: v for k, v in vars(Meta).items() if\n not k.s...
def x(self, binding_name, cls): return self._state.get_object(self, binding_name, cls)
get_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, binding_name, cls):\n return self._state.get_object(self, binding_name, cls)\n", "role": "user" }, { "content": "get_object", "role": ...
def x(conn, binding_name, object_cls): try: obj = conn.rootContext.resolve(binding_name) narrowed = obj._narrow(object_cls) except CORBA.TRANSIENT: raise IOError('Attempt to retrieve object failed') if narrowed is None: raise IOError( 'Attempt to retrieve object got a different class of object') return narrowed
get_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(conn, binding_name, object_cls):\n try:\n obj = conn.rootContext.resolve(binding_name)\n narrowed = obj._narrow(object_cls)\n except CORBA....
def x(self, num): self._value = str(int(num)) self._variable.set(self._value)
set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, num):\n self._value = str(int(num))\n self._variable.set(self._value)\n", "role": "user" }, { "content": "set", "role": "assistant"...
def x(self, *dummy): self.has_prev_key_release = self.after_idle(self.on_key_release, dummy)
on_key_release_repeat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *dummy):\n self.has_prev_key_release = self.after_idle(self.on_key_release, dummy)\n", "role": "user" }, { "content": "on_key_release_repe...
def x(self): self.bind('<Up>', lambda e: self.on_key_press_repeat('Up')) self.bind('<Down>', lambda e: self.on_key_press_repeat('Down')) self.bind('<Shift-Up>', lambda e: self.on_key_press_repeat('Shift-Up')) self.bind('<Shift-Down>', lambda e: self.on_key_press_repeat('Shift-Down')) self.bind('<Control-Up>', lambda e: self.on_key_press_repeat('Control-Up')) self.bind('<Control-Down>', lambda e: self.on_key_press_repeat( 'Control-Down')) self.bind('<KeyRelease>', lambda e: self.on_key_release_repeat()) self.bind('<ButtonPress-1>', self._leftMouseDown) self.bind('<ButtonRelease-1>', self._leftMouseUp) self.bind('<Shift-ButtonPress-1>', self._shiftLeftMouseDown) self.bind('<Shift-ButtonRelease-1>', self._shiftLeftMouseUp) self.bind('<Control-Button-1>', lambda e: self.add(100)) self.bind('<ButtonPress-3>', self._rightMouseDown) self.bind('<ButtonRelease-3>', self._rightMouseUp) self.bind('<Shift-ButtonPress-3>', self._shiftRightMouseDown) self.bind('<Shift-ButtonRelease-3>', self._shiftRightMouseUp) self.bind('<Control-Button-3>', lambda e: self.sub(100)) self.bind('<Double-Button-1>', self._dadd1) self.bind('<Double-Button-3>', self._dsub1) self.bind('<Shift-Double-Button-1>', self._dadd10) self.bind('<Shift-Double-Button-3>', self._dsub10) self.bind('<Control-Double-Button-1>', self._dadd100) self.bind('<Control-Double-Button-3>', self._dsub100) self.bind('<Enter>', self._enter)
set_bind
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.bind('<Up>', lambda e: self.on_key_press_repeat('Up'))\n self.bind('<Down>', lambda e: self.on_key_press_repeat('Down'))\n self.bind('<S...
def x(self): if self._mouseJustPressed: delay = 300 self._mouseJustPressed = False else: delay = 100 if self._leftMousePressed: self.add(1) self.after_id = self.after(delay, self._pollMouse) if self._shiftLeftMousePressed: self.add(10) self.after_id = self.after(delay, self._pollMouse) if self._rightMousePressed: self.sub(1) self.after_id = self.after(delay, self._pollMouse) if self._shiftRightMousePressed: self.sub(10) self.after_id = self.after(delay, self._pollMouse)
pollMouse
[ { "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._mouseJustPressed:\n delay = 300\n self._mouseJustPressed = False\n else:\n delay = 100\n if self._leftMousePres...
def x(self, *dummy): value = self._variable.get() newvalue = self.validate(value) if newvalue is None: self._variable.set(self._value) elif newvalue != value: self._value = newvalue self._variable.set(self.newvalue) else: self._value = value
callback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *dummy):\n value = self._variable.get()\n newvalue = self.validate(value)\n if newvalue is None:\n self._variable.set(self._value)\n e...
def x(self): IntegerEntry.set_bind(self) self.bind('<Next>', lambda e: self.set(0))
set_bind
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n IntegerEntry.set_bind(self)\n self.bind('<Next>', lambda e: self.set(0))\n", "role": "user" }, { "content": "set_bind", "role": ...
def x(self, value): try: if not self.blank or value: v = int(value) if v < 0: return None return value except ValueError: return None
validate
[ { "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 if not self.blank or value:\n v = int(value)\n if v < 0:\n return None\n return va...
def x(self, num): try: val = self.value() + num except: val = num self.set(max(0, val))
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, num):\n try:\n val = self.value() + num\n except:\n val = num\n self.set(max(0, val))\n", "role": "user" }, { "content...
def x(self, num): try: val = self.value() - num except: val = -num self.set(max(0, val))
sub
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, num):\n try:\n val = self.value() - num\n except:\n val = -num\n self.set(max(0, val))\n", "role": "user" }, { "conten...
def x(self): try: v = int(self._value) if v < 0: return False else: return True except: return False
ok
[ { "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 v = int(self._value)\n if v < 0:\n return False\n else:\n return True\n except:\n retur...
def x(self): IntegerEntry.set_bind(self) self.bind('<Next>', lambda e: self.set(self.imin)) self.bind('<Prior>', lambda e: self.set(self.imax))
set_bind
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n IntegerEntry.set_bind(self)\n self.bind('<Next>', lambda e: self.set(self.imin))\n self.bind('<Prior>', lambda e: self.set(self.imax))\n", ...
def x(self, value): try: if not self.blank or value: v = int(value) if v < self.imin or v > self.imax: return None return value except ValueError: return None
validate
[ { "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 if not self.blank or value:\n v = int(value)\n if v < self.imin or v > self.imax:\n retur...
def x(self, num): try: val = self.value() + num except: val = num self.set(min(self.imax, max(self.imin, val)))
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, num):\n try:\n val = self.value() + num\n except:\n val = num\n self.set(min(self.imax, max(self.imin, val)))\n", "role": "use...
def x(self): try: v = int(self._value) if v < self.imin or v > self.imax: return False else: return True except: return False
ok
[ { "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 v = int(self._value)\n if v < self.imin or v > self.imax:\n return False\n else:\n return True\n ...
def x(self): RangedInt.set_bind(self) self.unbind('<Next>') self.unbind('<Prior>') self.bind('<Next>', lambda e: self.set(self._min())) self.bind('<Prior>', lambda e: self.set(self._max()))
set_bind
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n RangedInt.set_bind(self)\n self.unbind('<Next>')\n self.unbind('<Prior>')\n self.bind('<Next>', lambda e: self.set(self._min()))\n self...
def x(self, num): try: val = self.value() + num except: val = num chunk = self.mfac.value() if val % chunk > 0: if num > 0: val = chunk * (val // chunk + 1) elif num < 0: val = chunk * (val // chunk) val = max(self._min(), min(self._max(), val)) self.set(val)
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, num):\n try:\n val = self.value() + num\n except:\n val = num\n chunk = self.mfac.value()\n if val % chunk > 0:\n if num...
def x(self): try: v = int(self._value) chunk = self.mfac.value() if v < self.imin or v > self.imax or v % chunk != 0: return False else: return True except: return False
ok
[ { "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 v = int(self._value)\n chunk = self.mfac.value()\n if v < self.imin or v > self.imax or v % chunk != 0:\n re...
def x(self): IntegerEntry.set_bind(self) self.unbind('<Shift-Up>') self.unbind('<Shift-Down>') self.unbind('<Control-Up>') self.unbind('<Control-Down>') self.unbind('<Double-Button-1>') self.unbind('<Double-Button-3>') self.unbind('<Shift-Button-1>') self.unbind('<Shift-Button-3>') self.unbind('<Control-Button-1>') self.unbind('<Control-Button-3>') self.bind('<Button-1>', lambda e: self.add(1)) self.bind('<Button-3>', lambda e: self.sub(1)) self.bind('<Up>', lambda e: self.add(1)) self.bind('<Down>', lambda e: self.sub(1)) self.bind('<Enter>', self._enter) self.bind('<Next>', lambda e: self.set(self.allowed[0])) self.bind('<Prior>', lambda e: self.set(self.allowed[-1]))
set_bind
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n IntegerEntry.set_bind(self)\n self.unbind('<Shift-Up>')\n self.unbind('<Shift-Down>')\n self.unbind('<Control-Up>')\n self.unbind('<Con...
def x(self): IntegerEntry.set_unbind(self) self.unbind('<Button-1>') self.unbind('<Button-3>') self.unbind('<Up>') self.unbind('<Down>') self.unbind('<Enter>') self.unbind('<Next>') self.unbind('<Prior>')
set_unbind
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n IntegerEntry.set_unbind(self)\n self.unbind('<Button-1>')\n self.unbind('<Button-3>')\n self.unbind('<Up>')\n self.unbind('<Down>')\n ...
def x(self, value): try: v = int(value) if v not in self.allowed: return None return value except ValueError: return None
validate
[ { "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 v = int(value)\n if v not in self.allowed:\n return None\n return value\n except ValueError:\n ...
def x(self, num): if self.validate(num) is not None: self.index = self.allowed.index(num) IntegerEntry.set(self, num)
set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, num):\n if self.validate(num) is not None:\n self.index = self.allowed.index(num)\n IntegerEntry.set(self, num)\n", "role": "user" }, ...
def x(self, num): self.index = max(0, min(len(self.allowed) - 1, self.index + num)) self.set(self.allowed[self.index])
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, num):\n self.index = max(0, min(len(self.allowed) - 1, self.index + num))\n self.set(self.allowed[self.index])\n", "role": "user" }, { ...
def x(self, value): try: if not self.blank or value: float(value) return value except ValueError: return None
validate
[ { "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 if not self.blank or value:\n float(value)\n return value\n except ValueError:\n return None\n", ...
def x(self, num): self._value = str(round(float(num), self.nplaces)) self._variable.set(self._value)
set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, num):\n self._value = str(round(float(num), self.nplaces))\n self._variable.set(self._value)\n", "role": "user" }, { "content": "set", ...
def x(self): self.bind('<Button-1>', lambda e: self.add(0.1)) self.bind('<Button-3>', lambda e: self.sub(0.1)) self.bind('<Up>', lambda e: self.add(0.1)) self.bind('<Down>', lambda e: self.sub(0.1)) self.bind('<Shift-Up>', lambda e: self.add(1)) self.bind('<Shift-Down>', lambda e: self.sub(1)) self.bind('<Control-Up>', lambda e: self.add(10)) self.bind('<Control-Down>', lambda e: self.sub(10)) self.bind('<Double-Button-1>', self._dadd) self.bind('<Double-Button-3>', self._dsub) self.bind('<Shift-Button-1>', lambda e: self.add(1)) self.bind('<Shift-Button-3>', lambda e: self.sub(1)) self.bind('<Control-Button-1>', lambda e: self.add(10)) self.bind('<Control-Button-3>', lambda e: self.sub(10)) self.bind('<Enter>', self._enter)
set_bind
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.bind('<Button-1>', lambda e: self.add(0.1))\n self.bind('<Button-3>', lambda e: self.sub(0.1))\n self.bind('<Up>', lambda e: self.add(0....
def x(self): self.unbind('<Button-1>') self.unbind('<Button-3>') self.unbind('<Up>') self.unbind('<Down>') self.unbind('<Shift-Up>') self.unbind('<Shift-Down>') self.unbind('<Control-Up>') self.unbind('<Control-Down>') self.unbind('<Double-Button-1>') self.unbind('<Double-Button-3>') self.unbind('<Shift-Button-1>') self.unbind('<Shift-Button-3>') self.unbind('<Control-Button-1>') self.unbind('<Control-Button-3>') self.unbind('<Enter>')
set_unbind
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.unbind('<Button-1>')\n self.unbind('<Button-3>')\n self.unbind('<Up>')\n self.unbind('<Down>')\n self.unbind('<Shift-Up>')\n se...
def x(self): FloatEntry.set_bind(self) self.bind('<Next>', lambda e: self.set(self.fmin)) self.bind('<Prior>', lambda e: self.set(self.fmax))
set_bind
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n FloatEntry.set_bind(self)\n self.bind('<Next>', lambda e: self.set(self.fmin))\n self.bind('<Prior>', lambda e: self.set(self.fmax))\n", ...
def x(self, value): try: if not self.blank or value: v = float(value) if (self.allowzero and v != 0 and v < self.fmin or not self. allowzero and v < self.fmin or v > self.fmax): return None return value except ValueError: return None
validate
[ { "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 if not self.blank or value:\n v = float(value)\n if (self.allowzero and v != 0 and v < self.fmin or not ...
def x(self, num): try: val = self.value() + num except: val = num self.set(min(self.fmax, max(self.fmin, val)))
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, num):\n try:\n val = self.value() + num\n except:\n val = num\n self.set(min(self.fmax, max(self.fmin, val)))\n", "role": "use...
def x(self): try: v = float(self._value) if v < self.fmin or v > self.fmax: return False else: return True except: return False
ok
[ { "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 v = float(self._value)\n if v < self.fmin or v > self.fmax:\n return False\n else:\n return True\...
def x(self, value): try: if value: v = float(value) if v != 0 and v < self.fmin or v > self.fmax: return None if abs(round(100000 * v) - 100000 * v) > 1e-12: return None return value except ValueError: return None
validate
[ { "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 if value:\n v = float(value)\n if v != 0 and v < self.fmin or v > self.fmax:\n return Non...
def x(self, fmin): if round(100000 * fmin) != 100000 * fmin: raise DriverError('utils.widgets.Expose.set_min: ' + 'fmin must be a multiple of 0.00001') self.fmin = fmin self.set(self.fmin)
set_min
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fmin):\n if round(100000 * fmin) != 100000 * fmin:\n raise DriverError('utils.widgets.Expose.set_min: ' +\n 'fmin must be a multiple...
def x(self): if not self._expert: self.config(state='disable') self._active = False
disable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self._expert:\n self.config(state='disable')\n self._active = False\n", "role": "user" }, { "content": "disable", ...
def x(self): self._expert = False if self._active: self.enable() else: self.disable()
setNonExpert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._expert = False\n if self._active:\n self.enable()\n else:\n self.disable()\n", "role": "user" }, { "content":...
def x(self, value): try: coord.Angle(value, unit=self.unit) return value except ValueError: return None
validate
[ { "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 coord.Angle(value, unit=self.unit)\n return value\n except ValueError:\n return None\n", "role": "user" ...
def x(self, num): self._value = coord.Angle(num, unit=u.deg) self._variable.set(self.as_string())
set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, num):\n self._value = coord.Angle(num, unit=u.deg)\n self._variable.set(self.as_string())\n", "role": "user" }, { "content": "set", ...
def x(self, quantity): newvalue = self._value + quantity self.set(newvalue.deg)
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, quantity):\n newvalue = self._value + quantity\n self.set(newvalue.deg)\n", "role": "user" }, { "content": "add", "role": "assistan...
def x(self, quantity): newvalue = self._value - quantity self.set(newvalue.deg)
sub
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, quantity):\n newvalue = self._value - quantity\n self.set(newvalue.deg)\n", "role": "user" }, { "content": "sub", "role": "assistan...
def x(self): try: coord.Angle(self._value, unit=u.deg) return True except ValueError: return False
ok
[ { "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 coord.Angle(self._value, unit=u.deg)\n return True\n except ValueError:\n return False\n", "role": "user" }, ...
def x(self, *dummy): value = self._variable.get() newvalue = self.validate(value) if newvalue is None: self._variable.set(self.as_string()) else: self._value = coord.Angle(value, unit=self.unit) if self.checker: self.checker(*dummy)
callback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *dummy):\n value = self._variable.get()\n newvalue = self.validate(value)\n if newvalue is None:\n self._variable.set(self.as_string())\n...
def x(self): g = get_root(self).globals g.clog.debug('Stop pressed') g.info.timer.stop() def x(): try: self.stopping = True if execCommand(g, 'abort'): self.stopped_ok = True else: g.clog.warn('Failed to stop run') self.stopped_ok = False self.stopping = False except Exception as err: g.clog.warn('Failed to stop run. Error = ' + str(err)) self.stopping = False self.stopped_ok = False t = threading.Thread(target=stop_in_background) t.daemon = True t.start() self.after(500, self.check)
act
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n g = get_root(self).globals\n g.clog.debug('Stop pressed')\n g.info.timer.stop()\n\n def x():\n try:\n self.stopping = Tr...
def x(self): g = get_root(self).globals if self.stopped_ok: self.disable() try: insertFITSHDU(g) except Exception as err: g.clog.warn('Could not add FITS Table to run') g.clog.warn(str(err)) g.observe.start.enable() g.setup.powerOn.disable() g.setup.powerOff.enable() g.clog.info('Run stopped') g.clog.info('Setting chips to idle') idle = {'appdata': {'app': 'Idle'}} try: success = postJSON(g, idle) if not success: raise Exception('postJSON returned false') except Exception as err: g.clog.warn('Failed to enable idle mode') g.clog.warn(str(err)) g.clog.info('Stopping offsets (if running') try: success = stopNodding(g) if not success: raise Exception('Failed to stop dithering: response was false') except Exception as err: g.clog.warn('Failed to stop GTC offset script') g.clog.warn(str(err)) return True elif self.stopping: self.disable() g.observe.start.disable() g.setup.powerOn.disable() g.setup.powerOff.disable() self.after(500, self.check) else: self.enable() g.observe.start.disable() g.setup.powerOn.disable() g.setup.powerOff.disable() g.info.timer.start() return False
check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n g = get_root(self).globals\n if self.stopped_ok:\n self.disable()\n try:\n insertFITSHDU(g)\n except Exception a...
def x(self, *args): g = get_root(self).globals if self.ok(): tname = self.val.get() if tname in self.successes: self.verify.config(bg=g.COL['start']) elif tname in self.failures: self.verify.config(bg=g.COL['stop']) else: self.verify.config(bg=g.COL['main']) self.verify.config(state='normal') else: self.verify.config(bg=g.COL['main']) self.verify.config(state='disable') if self.callback is not None: self.callback()
modver
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args):\n g = get_root(self).globals\n if self.ok():\n tname = self.val.get()\n if tname in self.successes:\n self.verify....
def x(self): tname = self.val.get() g = get_root(self).globals g.clog.info('Checking ' + tname + ' in simbad') try: ret = checkSimbad(g, tname) if len(ret) == 0: self.verify.config(bg=g.COL['stop']) g.clog.warn('No matches to "' + tname + '" found.') if tname not in self.failures: self.failures.append(tname) elif len(ret) == 1: self.verify.config(bg=g.COL['start']) g.clog.info(tname + ' verified OK in simbad') g.clog.info('Primary simbad name = ' + ret[0]['Name']) if tname not in self.successes: self.successes.append(tname) else: g.clog.warn('More than one match to "' + tname + '" found') self.verify.config(bg=g.COL['stop']) if tname not in self.failures: self.failures.append(tname) except urllib.error.URLError: g.clog.warn('Simbad lookup timed out') except socket.timeout: g.clog.warn('Simbad lookup timed out')
act
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n tname = self.val.get()\n g = get_root(self).globals\n g.clog.info('Checking ' + tname + ' in simbad')\n try:\n ret = checkSimbad(g,...
def x(self): g = get_root(self).globals g.clog.debug('Power on pressed') if execCommand(g, 'online'): g.clog.info('ESO server online') g.cpars['eso_server_online'] = True if not isPoweredOn(g): success = execCommand(g, 'pon') if not success: g.clog.warn('Unable to power on CLDC') return False self.disable() g.observe.start.enable() g.observe.stop.disable() g.setup.powerOff.enable() success = execCommand(g, 'seqStart') if not success: g.clog.warn('Failed to start sequencer after Power On.') try: g.info.run.configure(text='{0:03d}'.format(getRunNumber(g))) except Exception as err: g.clog.warn('Failed to determine run number at start of run') g.clog.warn(str(err)) g.info.run.configure(text='UNDEF') return True else: g.clog.warn('Failed to bring server online') return False
act
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n g = get_root(self).globals\n g.clog.debug('Power on pressed')\n if execCommand(g, 'online'):\n g.clog.info('ESO server online')\n ...
def x(self): g = get_root(self).globals level = g.cpars['expert_level'] if level == 0: for button in self.all_buttons: button.grid_forget() self.powerOn.grid(row=0, column=0) self.powerOff.grid(row=0, column=1) elif level == 1 or level == 2: for button in self.all_buttons: button.grid_forget() self.cldcOn.grid(row=0, column=1) self.cldcOff.grid(row=1, column=1) self.seqStart.grid(row=2, column=1) self.seqStop.grid(row=3, column=1) self.ngcOnline.grid(row=0, column=0) self.ngcOff.grid(row=1, column=0) self.ngcStandby.grid(row=2, column=0) self.ngcReset.grid(row=3, column=0) if level == 0 or level == 1: for button in self.all_buttons: button.setNonExpert() elif level == 2: for button in self.all_buttons: button.setExpert()
setExpertLevel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n g = get_root(self).globals\n level = g.cpars['expert_level']\n if level == 0:\n for button in self.all_buttons:\n button.gr...
def x(self): g = get_root(self).globals level = g.cpars['expert_level'] if level == 0: if self.val.get() == 'CCD TECs': self.val.set('Observe') self._changed() self.tecs.grid_forget() else: self.tecs.grid(row=0, column=3, sticky=tk.W)
setExpertLevel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n g = get_root(self).globals\n level = g.cpars['expert_level']\n if level == 0:\n if self.val.get() == 'CCD TECs':\n self.val...
def x(self): self.startTime = time.time() self.configure(text='{0:<d} s'.format(0)) self.update()
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.startTime = time.time()\n self.configure(text='{0:<d} s'.format(0))\n self.update()\n", "role": "user" }, { "content": "star...
def x(self): g = get_root(self).globals try: self.count += 1 delta = int(round(time.time() - self.startTime)) self.configure(text='{0:<d} s'.format(delta)) if self.count % 50 == 0: if not isRunActive(g): try: insertFITSHDU(g) except Exception as err: g.clog.warn('Could not add FITS Table to run') g.clog.warn(str(err)) g.observe.start.enable() g.observe.stop.disable() g.setup.ngcReset.enable() g.setup.powerOn.disable() g.setup.powerOff.enable() g.clog.info('Timer detected stopped run') warn_cmd = ( '/usr/bin/ssh observer@192.168.1.1 spd-say "\'exposure finished\'"' ) subprocess.check_output(warn_cmd, shell=True, stderr= subprocess.PIPE) g.clog.info('Setting chips to idle') idle = {'appdata': {'app': 'Idle'}} try: success = postJSON(g, idle) if not success: raise Exception('postJSON returned false') except Exception as err: g.clog.warn('Failed to enable idle mode') g.clog.warn(str(err)) g.clog.info('Stopping offsets (if running') try: success = stopNodding(g) if not success: raise Exception('failed to stop dithering') except Exception as err: g.clog.warn('Failed to stop GTC offset script') g.clog.warn(str(err)) self.stop() return except Exception as err: if self.count % 100 == 0: g.clog.warn('Timer.update: error = ' + str(err)) self.id = self.after(100, self.update)
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n g = get_root(self).globals\n try:\n self.count += 1\n delta = int(round(time.time() - self.startTime))\n self.configure(tex...
def x(self): g = get_root(self).globals return dict(RA=self.ra['text'], DEC=self.dec['text'], tel=g.cpars[ 'telins_name'], alt=self._getVal(self.alt), az=self._getVal(self.az ), secz=self._getVal(self.airmass), pa=self._getVal(self.pa), foc= self._getVal(self.focus), mdist=self._getVal(self.mdist))
dumpJSON
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n g = get_root(self).globals\n return dict(RA=self.ra['text'], DEC=self.dec['text'], tel=g.cpars[\n 'telins_name'], alt=self._getVal(self.a...