source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, status=None): flag_file_name = '{}_{}'.format(self.name, flag_name(status or self.status) ) return pipeline_filepath(self, filename=flag_file_name)
flag_file_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, status=None):\n flag_file_name = '{}_{}'.format(self.name, flag_name(status or self.status)\n )\n return pipeline_filepath(self, filename=flag_file_name)\n", "role": "user" }, { "content": "flag_file_path", "role": "assistant" } ]
def x(self, cmd, target=None, lock_name=None, shell=None, nofail=False, clean=False, follow=None, container=None): if not self._active: cmds = [cmd] if isinstance(cmd, str) else cmd cmds_text = [(c if isinstance(c, str) else ' '.join(c)) for c in cmds] print('Pipeline is inactive; skipping {} command(s):\n{}'.format( len(cmds), '\n'.join(cmds_text))) return 0 if self.curr_checkpoint is not None: check_fpath = checkpoint_filepath(self.curr_checkpoint, self) if os.path.isfile(check_fpath) and not self.overwrite_checkpoints: print( "Checkpoint file exists for '{}' ('{}'), and the {} has been configured to not overwrite checkpoints; skipping command '{}'" .format(self.curr_checkpoint, check_fpath, self.__class__. __name__, cmd)) return 0 if target is None and lock_name is None: self.fail_pipeline(Exception( 'You must provide either a target or a lock_name.')) if not is_multi_target(target) and target is not None: target = [target] if isinstance(lock_name, str): lock_name = [lock_name] lock_name = lock_name or make_lock_name(target, self.outfolder) lock_files = [self._make_lock_path(ln) for ln in lock_name] process_return_code = 0 local_maxmem = 0 if not follow: call_follow = lambda : None elif not hasattr(follow, '__call__'): print("Follow-up function is not callable and won't be used: {}". format(type(follow))) call_follow = lambda : None else: def x(): print('Follow:') follow() local_recover = False local_newstart = False proceed_through_locks = False while True: if target is not None and all([os.path.exists(t) for t in target] ) and not any([os.path.isfile(l) for l in lock_files] ) and not local_newstart: for tgt in target: if os.path.exists(tgt): print('Target exists: `' + tgt + '`') if self.new_start: print('New start mode; run anyway.') local_newstart = True continue if self.force_follow: call_follow() break if not proceed_through_locks: for lock_file in lock_files: recover_file = self._recoverfile_from_lockfile(lock_file) if os.path.isfile(lock_file): print('Found lock file: {}'.format(lock_file)) if self.overwrite_locks: print('Overwriting target. . .') proceed_through_locks = True elif os.path.isfile(recover_file): print( 'Found dynamic recovery file ({}); overwriting target. . .' .format(recover_file)) local_recover = True proceed_through_locks = True os.remove(recover_file) else: self._wait_for_lock(lock_file) continue for lock_file in lock_files: self.locks.append(lock_file) if self.overwrite_locks or local_recover: self._create_file(lock_file) else: try: self._create_file_racefree(lock_file) except OSError as e: if e.errno == errno.EEXIST: print('Lock file created after test! Looping again: {}' .format(lock_file)) proceed_through_locks = False continue if target is not None: print('Target to produce: {}\n'.format(','.join([('`' + x + '`' ) for x in target]))) else: print('Targetless command, running...\n') if isinstance(cmd, list): for cmd_i in cmd: list_ret, maxmem = self.callprint(cmd_i, shell, lock_file, nofail, container) maxmem = max(maxmem) if isinstance(maxmem, Iterable ) else maxmem local_maxmem = max(local_maxmem, maxmem) list_ret = max(list_ret) if isinstance(list_ret, Iterable ) else list_ret process_return_code = max(process_return_code, list_ret) else: process_return_code, local_maxmem = self.callprint(cmd, shell, lock_file, nofail, container) if isinstance(process_return_code, list): process_return_code = max(process_return_code) if target is not None and clean: for tgt in target: self.clean_add(tgt) call_follow() for lock_file in lock_files: os.remove(lock_file) self.locks.remove(lock_file) break return process_return_code
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cmd, target=None, lock_name=None, shell=None, nofail=False,\n clean=False, follow=None, container=None):\n if not self._active:\n cmds = [cmd] if isinstance(cmd, str) else cmd\n cmds_text = [(c if isinstance(c, str) else ' '.join(c)) for c in cmds]\n print('Pipeline is inactive; skipping {} command(s):\\n{}'.format(\n len(cmds), '\\n'.join(cmds_text)))\n return 0\n if self.curr_checkpoint is not None:\n check_fpath = checkpoint_filepath(self.curr_checkpoint, self)\n if os.path.isfile(check_fpath) and not self.overwrite_checkpoints:\n print(\n \"Checkpoint file exists for '{}' ('{}'), and the {} has been configured to not overwrite checkpoints; skipping command '{}'\"\n .format(self.curr_checkpoint, check_fpath, self.__class__.\n __name__, cmd))\n return 0\n if target is None and lock_name is None:\n self.fail_pipeline(Exception(\n 'You must provide either a target or a lock_name.'))\n if not is_multi_target(target) and target is not None:\n target = [target]\n if isinstance(lock_name, str):\n lock_name = [lock_name]\n lock_name = lock_name or make_lock_name(target, self.outfolder)\n lock_files = [self._make_lock_path(ln) for ln in lock_name]\n process_return_code = 0\n local_maxmem = 0\n if not follow:\n call_follow = lambda : None\n elif not hasattr(follow, '__call__'):\n print(\"Follow-up function is not callable and won't be used: {}\".\n format(type(follow)))\n call_follow = lambda : None\n else:\n\n def x():\n print('Follow:')\n follow()\n local_recover = False\n local_newstart = False\n proceed_through_locks = False\n while True:\n if target is not None and all([os.path.exists(t) for t in target]\n ) and not any([os.path.isfile(l) for l in lock_files]\n ) and not local_newstart:\n for tgt in target:\n if os.path.exists(tgt):\n print('Target exists: `' + tgt + '`')\n if self.new_start:\n print('New start mode; run anyway.')\n local_newstart = True\n continue\n if self.force_follow:\n call_follow()\n break\n if not proceed_through_locks:\n for lock_file in lock_files:\n recover_file = self._recoverfile_from_lockfile(lock_file)\n if os.path.isfile(lock_file):\n print('Found lock file: {}'.format(lock_file))\n if self.overwrite_locks:\n print('Overwriting target. . .')\n proceed_through_locks = True\n elif os.path.isfile(recover_file):\n print(\n 'Found dynamic recovery file ({}); overwriting target. . .'\n .format(recover_file))\n local_recover = True\n proceed_through_locks = True\n os.remove(recover_file)\n else:\n self._wait_for_lock(lock_file)\n continue\n for lock_file in lock_files:\n self.locks.append(lock_file)\n if self.overwrite_locks or local_recover:\n self._create_file(lock_file)\n else:\n try:\n self._create_file_racefree(lock_file)\n except OSError as e:\n if e.errno == errno.EEXIST:\n print('Lock file created after test! Looping again: {}'\n .format(lock_file))\n proceed_through_locks = False\n continue\n if target is not None:\n print('Target to produce: {}\\n'.format(','.join([('`' + x + '`'\n ) for x in target])))\n else:\n print('Targetless command, running...\\n')\n if isinstance(cmd, list):\n for cmd_i in cmd:\n list_ret, maxmem = self.callprint(cmd_i, shell, lock_file,\n nofail, container)\n maxmem = max(maxmem) if isinstance(maxmem, Iterable\n ) else maxmem\n local_maxmem = max(local_maxmem, maxmem)\n list_ret = max(list_ret) if isinstance(list_ret, Iterable\n ) else list_ret\n process_return_code = max(process_return_code, list_ret)\n else:\n process_return_code, local_maxmem = self.callprint(cmd, shell,\n lock_file, nofail, container)\n if isinstance(process_return_code, list):\n process_return_code = max(process_return_code)\n if target is not None and clean:\n for tgt in target:\n self.clean_add(tgt)\n call_follow()\n for lock_file in lock_files:\n os.remove(lock_file)\n self.locks.remove(lock_file)\n break\n return process_return_code\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self, cmd, shell=None, nofail=False): self._report_command(cmd) likely_shell = check_shell(cmd, shell) if shell is None: shell = likely_shell if not shell: if likely_shell: print( 'Should this command run in a shell instead of directly in a subprocess?' ) cmd = shlex.split(cmd) try: return subprocess.check_output(cmd, shell=shell) except Exception as e: self._triage_error(e, nofail)
checkprint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cmd, shell=None, nofail=False):\n self._report_command(cmd)\n likely_shell = check_shell(cmd, shell)\n if shell is None:\n shell = likely_shell\n if not shell:\n if likely_shell:\n print(\n 'Should this command run in a shell instead of directly in a subprocess?'\n )\n cmd = shlex.split(cmd)\n try:\n return subprocess.check_output(cmd, shell=shell)\n except Exception as e:\n self._triage_error(e, nofail)\n", "role": "user" }, { "content": "checkprint", "role": "assistant" } ]
def x(self, proc, sleeptime): try: proc.wait(timeout=sleeptime) except psutil.TimeoutExpired: return True return False
attend_process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, proc, sleeptime):\n try:\n proc.wait(timeout=sleeptime)\n except psutil.TimeoutExpired:\n return True\n return False\n", "role": "user" }, { "content": "attend_process", "role": "assistant" } ]
def x(self, cmd, shell=None, lock_file=None, nofail=False, container=None): def x(proc): try: children = proc.children(recursive=True) mem_sum = sum([x.memory_info().rss for x in children]) return mem_sum / 1000000000.0 except (psutil.NoSuchProcess, psutil.ZombieProcess) as e: print(e) print("Warning: couldn't add memory use for process: {}".format (proc.pid)) return 0 def x(memval): return None if memval < 0 else '{}GB'.format(round(memval, 3)) def x(command): a, s = (command, True) if check_shell(command, shell) else (shlex. split(command), False) return dict(args=a, stdout=subprocess.PIPE, shell=s) if container: cmd = 'docker exec ' + container + ' ' + cmd param_list = [make_dict(c) for c in split_by_pipes(cmd) ] if check_shell_pipes(cmd) else [dict(args=cmd, stdout=None, shell =True)] proc_name = get_proc_name(cmd) processes = [] running_processes = [] start_time = time.time() for i in range(len(param_list)): running_processes.append(i) if i == 0: processes.append(psutil.Popen(preexec_fn=os.setpgrp, ** param_list[i])) else: param_list[i]['stdin'] = processes[i - 1].stdout processes.append(psutil.Popen(preexec_fn=os.setpgrp, ** param_list[i])) self.procs[processes[-1].pid] = {'proc_name': proc_name, 'subproc_name': get_proc_name(param_list[i]['args']), 'start_time': start_time, 'container': container, 'p': processes[-1]} self._report_command(cmd, [x.pid for x in processes]) print('<pre>') local_maxmems = [-1] * len(running_processes) returncodes = [None] * len(running_processes) if not self.wait: print('</pre>') ids = [x.pid for x in processes] print('Not waiting for subprocess(es): ' + str(ids)) return [0, -1] def x(i): returncode = processes[i].returncode current_pid = processes[i].pid info = 'Process {pid} returned {ret}; memory: {mem}. '.format(pid= current_pid, ret=processes[i].returncode, mem=display_memory( local_maxmems[i])) self._report_profile(self.procs[current_pid]['proc_name'], lock_file, time.time() - self.procs[current_pid]['start_time'], local_maxmems[i]) del self.procs[current_pid] running_processes.remove(i) returncodes[i] = returncode return info sleeptime = 0.0001 info = '' while running_processes: for i in running_processes: local_maxmems[i] = max(local_maxmems[i], get_mem_child_sum( processes[i])) self.peak_memory = max(self.peak_memory, local_maxmems[i]) if not self._attend_process(processes[i], sleeptime): info += proc_wrapup(i) sleeptime = min((sleeptime + 0.25) * 3, 60 / len(processes)) stop_time = time.time() info += ' Elapsed: ' + str(datetime.timedelta(seconds=self.time_elapsed (start_time))) + '.' info += ' Peak memory: {pipe}.'.format(pipe=display_memory(self. peak_memory)) print('</pre>') print(info) for rc in returncodes: if rc != 0: msg = ( 'Subprocess returned nonzero result. Check above output for details' ) self._triage_error(SubprocessError(msg), nofail) return [returncodes, local_maxmems]
callprint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cmd, shell=None, lock_file=None, nofail=False, container=None):\n\n def x(proc):\n try:\n children = proc.children(recursive=True)\n mem_sum = sum([x.memory_info().rss for x in children])\n return mem_sum / 1000000000.0\n except (psutil.NoSuchProcess, psutil.ZombieProcess) as e:\n print(e)\n print(\"Warning: couldn't add memory use for process: {}\".format\n (proc.pid))\n return 0\n\n def x(memval):\n return None if memval < 0 else '{}GB'.format(round(memval, 3))\n\n def x(command):\n a, s = (command, True) if check_shell(command, shell) else (shlex.\n split(command), False)\n return dict(args=a, stdout=subprocess.PIPE, shell=s)\n if container:\n cmd = 'docker exec ' + container + ' ' + cmd\n param_list = [make_dict(c) for c in split_by_pipes(cmd)\n ] if check_shell_pipes(cmd) else [dict(args=cmd, stdout=None, shell\n =True)]\n proc_name = get_proc_name(cmd)\n processes = []\n running_processes = []\n start_time = time.time()\n for i in range(len(param_list)):\n running_processes.append(i)\n if i == 0:\n processes.append(psutil.Popen(preexec_fn=os.setpgrp, **\n param_list[i]))\n else:\n param_list[i]['stdin'] = processes[i - 1].stdout\n processes.append(psutil.Popen(preexec_fn=os.setpgrp, **\n param_list[i]))\n self.procs[processes[-1].pid] = {'proc_name': proc_name,\n 'subproc_name': get_proc_name(param_list[i]['args']),\n 'start_time': start_time, 'container': container, 'p':\n processes[-1]}\n self._report_command(cmd, [x.pid for x in processes])\n print('<pre>')\n local_maxmems = [-1] * len(running_processes)\n returncodes = [None] * len(running_processes)\n if not self.wait:\n print('</pre>')\n ids = [x.pid for x in processes]\n print('Not waiting for subprocess(es): ' + str(ids))\n return [0, -1]\n\n def x(i):\n returncode = processes[i].returncode\n current_pid = processes[i].pid\n info = 'Process {pid} returned {ret}; memory: {mem}. '.format(pid=\n current_pid, ret=processes[i].returncode, mem=display_memory(\n local_maxmems[i]))\n self._report_profile(self.procs[current_pid]['proc_name'],\n lock_file, time.time() - self.procs[current_pid]['start_time'],\n local_maxmems[i])\n del self.procs[current_pid]\n running_processes.remove(i)\n returncodes[i] = returncode\n return info\n sleeptime = 0.0001\n info = ''\n while running_processes:\n for i in running_processes:\n local_maxmems[i] = max(local_maxmems[i], get_mem_child_sum(\n processes[i]))\n self.peak_memory = max(self.peak_memory, local_maxmems[i])\n if not self._attend_process(processes[i], sleeptime):\n info += proc_wrapup(i)\n sleeptime = min((sleeptime + 0.25) * 3, 60 / len(processes))\n stop_time = time.time()\n info += ' Elapsed: ' + str(datetime.timedelta(seconds=self.time_elapsed\n (start_time))) + '.'\n info += ' Peak memory: {pipe}.'.format(pipe=display_memory(self.\n peak_memory))\n print('</pre>')\n print(info)\n for rc in returncodes:\n if rc != 0:\n msg = (\n 'Subprocess returned nonzero result. Check above output for details'\n )\n self._triage_error(SubprocessError(msg), nofail)\n return [returncodes, local_maxmems]\n", "role": "user" }, { "content": "callprint", "role": "assistant" } ]
def x(self, p, shell=False): local_maxmem = -1 sleeptime = 0.5 while p.poll() is None: if not shell: local_maxmem = max(local_maxmem, self._memory_usage(p.pid) / 1000000.0) time.sleep(sleeptime) sleeptime = min(sleeptime + 5, 60) self.peak_memory = max(self.peak_memory, local_maxmem) del self.procs[p.pid] info = 'Process ' + str(p.pid) + ' returned: (' + str(p.returncode) + ').' if not shell: info += ' Peak memory: (Process: ' + str(round(local_maxmem, 3) ) + 'GB;' info += ' Pipeline: ' + str(round(self.peak_memory, 3)) + 'GB)\n' print(info + '\n') if p.returncode != 0: raise Exception('Process returned nonzero result.') return [p.returncode, local_maxmem]
wait_for_process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, p, shell=False):\n local_maxmem = -1\n sleeptime = 0.5\n while p.poll() is None:\n if not shell:\n local_maxmem = max(local_maxmem, self._memory_usage(p.pid) / \n 1000000.0)\n time.sleep(sleeptime)\n sleeptime = min(sleeptime + 5, 60)\n self.peak_memory = max(self.peak_memory, local_maxmem)\n del self.procs[p.pid]\n info = 'Process ' + str(p.pid) + ' returned: (' + str(p.returncode) + ').'\n if not shell:\n info += ' Peak memory: (Process: ' + str(round(local_maxmem, 3)\n ) + 'GB;'\n info += ' Pipeline: ' + str(round(self.peak_memory, 3)) + 'GB)\\n'\n print(info + '\\n')\n if p.returncode != 0:\n raise Exception('Process returned nonzero result.')\n return [p.returncode, local_maxmem]\n", "role": "user" }, { "content": "wait_for_process", "role": "assistant" } ]
def x(self, lock_file): sleeptime = 0.5 first_message_flag = False dot_count = 0 recover_file = self._recoverfile_from_lockfile(lock_file) while os.path.isfile(lock_file): if first_message_flag is False: self.timestamp('Waiting for file lock: ' + lock_file) self._set_status_flag(WAIT_FLAG) first_message_flag = True else: sys.stdout.write('.') dot_count = dot_count + 1 if dot_count % 60 == 0: print('') if os.path.isfile(recover_file): sys.stdout.write(' Dynamic recovery flag found') break time.sleep(sleeptime) sleeptime = min(sleeptime + 2.5, 60) if first_message_flag: self.timestamp('File unlocked.') self._set_status_flag(RUN_FLAG)
wait_for_lock
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lock_file):\n sleeptime = 0.5\n first_message_flag = False\n dot_count = 0\n recover_file = self._recoverfile_from_lockfile(lock_file)\n while os.path.isfile(lock_file):\n if first_message_flag is False:\n self.timestamp('Waiting for file lock: ' + lock_file)\n self._set_status_flag(WAIT_FLAG)\n first_message_flag = True\n else:\n sys.stdout.write('.')\n dot_count = dot_count + 1\n if dot_count % 60 == 0:\n print('')\n if os.path.isfile(recover_file):\n sys.stdout.write(' Dynamic recovery flag found')\n break\n time.sleep(sleeptime)\n sleeptime = min(sleeptime + 2.5, 60)\n if first_message_flag:\n self.timestamp('File unlocked.')\n self._set_status_flag(RUN_FLAG)\n", "role": "user" }, { "content": "wait_for_lock", "role": "assistant" } ]
def x(self, message='', checkpoint=None, finished=False, raise_error=True): if self.halt_on_next: self.halt(checkpoint, finished, raise_error=raise_error) if checkpoint: if finished: self._checkpoint(checkpoint) self.prev_checkpoint = checkpoint self.curr_checkpoint = None else: self.prev_checkpoint = self.curr_checkpoint self.curr_checkpoint = checkpoint self._checkpoint(self.prev_checkpoint) if (finished and checkpoint == self.stop_after or not finished and checkpoint == self.stop_before): self.halt(checkpoint, finished, raise_error=raise_error) elif checkpoint == self.start_point: self._active = True if not finished and checkpoint == self.stop_after: self.halt_on_next = True elapsed = self.time_elapsed(self.last_timestamp) t = time.strftime('%m-%d %H:%M:%S') if checkpoint is None: msg = '{m} ({t}) elapsed: {delta_t} _TIME_'.format(m=message, t=t, delta_t=elapsed) else: msg = '{m} ({t}) ({status} {stage}) elapsed: {delta_t} _TIME_'.format(m =message, t=t, status='finished' if finished else 'starting', stage=checkpoint, delta_t=elapsed) if re.match('^###', message): msg = '\n{}\n'.format(msg) print(msg) self.last_timestamp = time.time()
timestamp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message='', checkpoint=None, finished=False, raise_error=True):\n if self.halt_on_next:\n self.halt(checkpoint, finished, raise_error=raise_error)\n if checkpoint:\n if finished:\n self._checkpoint(checkpoint)\n self.prev_checkpoint = checkpoint\n self.curr_checkpoint = None\n else:\n self.prev_checkpoint = self.curr_checkpoint\n self.curr_checkpoint = checkpoint\n self._checkpoint(self.prev_checkpoint)\n if (finished and checkpoint == self.stop_after or not finished and \n checkpoint == self.stop_before):\n self.halt(checkpoint, finished, raise_error=raise_error)\n elif checkpoint == self.start_point:\n self._active = True\n if not finished and checkpoint == self.stop_after:\n self.halt_on_next = True\n elapsed = self.time_elapsed(self.last_timestamp)\n t = time.strftime('%m-%d %H:%M:%S')\n if checkpoint is None:\n msg = '{m} ({t}) elapsed: {delta_t} _TIME_'.format(m=message, t=t,\n delta_t=elapsed)\n else:\n msg = '{m} ({t}) ({status} {stage}) elapsed: {delta_t} _TIME_'.format(m\n =message, t=t, status='finished' if finished else 'starting',\n stage=checkpoint, delta_t=elapsed)\n if re.match('^###', message):\n msg = '\\n{}\\n'.format(msg)\n print(msg)\n self.last_timestamp = time.time()\n", "role": "user" }, { "content": "timestamp", "role": "assistant" } ]
def x(self, command, lock_name, elapsed_time, memory): message_raw = str(command) + '\t ' + str(lock_name) + '\t' + str(datetime .timedelta(seconds=round(elapsed_time, 2))) + '\t ' + str(memory) with open(self.pipeline_profile_file, 'a') as myfile: myfile.write(message_raw + '\n')
report_profile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, command, lock_name, elapsed_time, memory):\n message_raw = str(command) + '\\t ' + str(lock_name) + '\\t' + str(datetime\n .timedelta(seconds=round(elapsed_time, 2))) + '\\t ' + str(memory)\n with open(self.pipeline_profile_file, 'a') as myfile:\n myfile.write(message_raw + '\\n')\n", "role": "user" }, { "content": "report_profile", "role": "assistant" } ]
def x(self, key, value, annotation=None): annotation = str(annotation or self.name) value = str(value).strip() self.stats_dict[key] = value message_raw = '{key}\t{value}\t{annotation}'.format(key=key, value= value, annotation=annotation) message_markdown = '\n> `{key}`\t{value}\t{annotation}\t_RES_'.format(key =key, value=value, annotation=annotation) print(message_markdown) self._safe_write_to_file(self.pipeline_stats_file, message_raw)
report_result
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, value, annotation=None):\n annotation = str(annotation or self.name)\n value = str(value).strip()\n self.stats_dict[key] = value\n message_raw = '{key}\\t{value}\\t{annotation}'.format(key=key, value=\n value, annotation=annotation)\n message_markdown = '\\n> `{key}`\\t{value}\\t{annotation}\\t_RES_'.format(key\n =key, value=value, annotation=annotation)\n print(message_markdown)\n self._safe_write_to_file(self.pipeline_stats_file, message_raw)\n", "role": "user" }, { "content": "report_result", "role": "assistant" } ]
def x(self, key, filename, anchor_text=None, anchor_image=None, annotation=None ): annotation = str(annotation or self.name) filename = str(filename).strip() if anchor_text: anchor_text = str(anchor_text).strip() else: anchor_text = str(key).strip() relative_filename = os.path.relpath(filename, self.outfolder ) if os.path.isabs(filename) else filename if anchor_image: relative_anchor_image = os.path.relpath(anchor_image, self.outfolder ) if os.path.isabs(anchor_image) else anchor_image else: relative_anchor_image = 'None' message_raw = ( '{key}\t{filename}\t{anchor_text}\t{anchor_image}\t{annotation}'. format(key=key, filename=relative_filename, anchor_text=anchor_text, anchor_image=relative_anchor_image, annotation=annotation)) message_markdown = ( '> `{key}`\t{filename}\t{anchor_text}\t{anchor_image}\t{annotation}\t_OBJ_' .format(key=key, filename=relative_filename, anchor_text= anchor_text, anchor_image=relative_anchor_image, annotation=annotation) ) print(message_markdown) self._safe_write_to_file(self.pipeline_objects_file, message_raw)
report_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, filename, anchor_text=None, anchor_image=None, annotation=None\n ):\n annotation = str(annotation or self.name)\n filename = str(filename).strip()\n if anchor_text:\n anchor_text = str(anchor_text).strip()\n else:\n anchor_text = str(key).strip()\n relative_filename = os.path.relpath(filename, self.outfolder\n ) if os.path.isabs(filename) else filename\n if anchor_image:\n relative_anchor_image = os.path.relpath(anchor_image, self.outfolder\n ) if os.path.isabs(anchor_image) else anchor_image\n else:\n relative_anchor_image = 'None'\n message_raw = (\n '{key}\\t{filename}\\t{anchor_text}\\t{anchor_image}\\t{annotation}'.\n format(key=key, filename=relative_filename, anchor_text=anchor_text,\n anchor_image=relative_anchor_image, annotation=annotation))\n message_markdown = (\n '> `{key}`\\t{filename}\\t{anchor_text}\\t{anchor_image}\\t{annotation}\\t_OBJ_'\n .format(key=key, filename=relative_filename, anchor_text=\n anchor_text, anchor_image=relative_anchor_image, annotation=annotation)\n )\n print(message_markdown)\n self._safe_write_to_file(self.pipeline_objects_file, message_raw)\n", "role": "user" }, { "content": "report_object", "role": "assistant" } ]
def x(self, file, message): target = file lock_name = make_lock_name(target, self.outfolder) lock_file = self._make_lock_path(lock_name) while True: if os.path.isfile(lock_file): self._wait_for_lock(lock_file) else: try: self.locks.append(lock_file) self._create_file_racefree(lock_file) except OSError as e: if e.errno == errno.EEXIST: print('Lock file created after test! Looping again.') continue with open(file, 'a') as myfile: myfile.write(message + '\n') os.remove(lock_file) self.locks.remove(lock_file) break
safe_write_to_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file, message):\n target = file\n lock_name = make_lock_name(target, self.outfolder)\n lock_file = self._make_lock_path(lock_name)\n while True:\n if os.path.isfile(lock_file):\n self._wait_for_lock(lock_file)\n else:\n try:\n self.locks.append(lock_file)\n self._create_file_racefree(lock_file)\n except OSError as e:\n if e.errno == errno.EEXIST:\n print('Lock file created after test! Looping again.')\n continue\n with open(file, 'a') as myfile:\n myfile.write(message + '\\n')\n os.remove(lock_file)\n self.locks.remove(lock_file)\n break\n", "role": "user" }, { "content": "safe_write_to_file", "role": "assistant" } ]
def x(self, cmd, procs=None): if isinstance(procs, list): procs = ','.join(map(str, procs)) if procs: line = '\n> `{cmd}` ({procs})\n'.format(cmd=str(cmd), procs=procs) else: line = '\n> `{cmd}`\n'.format(cmd=str(cmd)) print(line) with open(self.pipeline_commands_file, 'a') as myfile: myfile.write(line + '\n\n')
report_command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cmd, procs=None):\n if isinstance(procs, list):\n procs = ','.join(map(str, procs))\n if procs:\n line = '\\n> `{cmd}` ({procs})\\n'.format(cmd=str(cmd), procs=procs)\n else:\n line = '\\n> `{cmd}`\\n'.format(cmd=str(cmd))\n print(line)\n with open(self.pipeline_commands_file, 'a') as myfile:\n myfile.write(line + '\\n\\n')\n", "role": "user" }, { "content": "report_command", "role": "assistant" } ]
def x(self, file): write_lock_flags = os.O_CREAT | os.O_EXCL | os.O_WRONLY os.open(file, write_lock_flags)
create_file_racefree
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file):\n write_lock_flags = os.O_CREAT | os.O_EXCL | os.O_WRONLY\n os.open(file, write_lock_flags)\n", "role": "user" }, { "content": "create_file_racefree", "role": "assistant" } ]
def x(self, lock_name_base): base, name = os.path.split(lock_name_base) lock_name = self._ensure_lock_prefix(name) if base: lock_name = os.path.join(base, lock_name) return pipeline_filepath(self, filename=lock_name)
make_lock_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lock_name_base):\n base, name = os.path.split(lock_name_base)\n lock_name = self._ensure_lock_prefix(name)\n if base:\n lock_name = os.path.join(base, lock_name)\n return pipeline_filepath(self, filename=lock_name)\n", "role": "user" }, { "content": "make_lock_path", "role": "assistant" } ]
def x(self, lockfile): if not (os.path.isabs(lockfile) or lockfile.startswith(self.outfolder)): lockfile = self._make_lock_path(lockfile) return lockfile.replace(LOCK_PREFIX, 'recover.' + LOCK_PREFIX)
recoverfile_from_lockfile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lockfile):\n if not (os.path.isabs(lockfile) or lockfile.startswith(self.outfolder)):\n lockfile = self._make_lock_path(lockfile)\n return lockfile.replace(LOCK_PREFIX, 'recover.' + LOCK_PREFIX)\n", "role": "user" }, { "content": "recoverfile_from_lockfile", "role": "assistant" } ]
def x(self, path): try: os.makedirs(path) except OSError as exception: if exception.errno != errno.EEXIST: raise
make_sure_path_exists
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n try:\n os.makedirs(path)\n except OSError as exception:\n if exception.errno != errno.EEXIST:\n raise\n", "role": "user" }, { "content": "make_sure_path_exists", "role": "assistant" } ]
def x(self): stats_file = self.pipeline_stats_file if os.path.isfile(self.pipeline_stats_file): with open(stats_file, 'r') as stat_file: for line in stat_file: try: key, value, annotation = line.split('\t') except ValueError: print( 'WARNING: Each row in a stats file is expected to have 3 columns' ) if annotation.rstrip() == self.name or annotation.rstrip( ) == 'shared': self.stats_dict[key] = value.strip()
refresh_stats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n stats_file = self.pipeline_stats_file\n if os.path.isfile(self.pipeline_stats_file):\n with open(stats_file, 'r') as stat_file:\n for line in stat_file:\n try:\n key, value, annotation = line.split('\\t')\n except ValueError:\n print(\n 'WARNING: Each row in a stats file is expected to have 3 columns'\n )\n if annotation.rstrip() == self.name or annotation.rstrip(\n ) == 'shared':\n self.stats_dict[key] = value.strip()\n", "role": "user" }, { "content": "refresh_stats", "role": "assistant" } ]
def x(self, key): try: return self.stats_dict[key] except KeyError: self._refresh_stats() try: return self.stats_dict[key] except KeyError: print("Missing stat '{}'".format(key)) return None
get_stat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key):\n try:\n return self.stats_dict[key]\n except KeyError:\n self._refresh_stats()\n try:\n return self.stats_dict[key]\n except KeyError:\n print(\"Missing stat '{}'\".format(key))\n return None\n", "role": "user" }, { "content": "get_stat", "role": "assistant" } ]
def x(self, stage): if stage is None: return False try: is_checkpoint = stage.checkpoint except AttributeError: if hasattr(stage, '__call__'): stage = stage.__name__ else: base, ext = os.path.splitext(stage) if ext and '.' not in base: print( "WARNING: '{}' looks like it may be the name or path of a file; for such a checkpoint, use touch_checkpoint." .format(stage)) else: if not is_checkpoint: print('Not a checkpoint: {}'.format(stage)) return False stage = stage.name print("Checkpointing: '{}'".format(stage)) if os.path.isabs(stage): check_fpath = stage else: check_fpath = checkpoint_filepath(stage, pm=self) return self._touch_checkpoint(check_fpath)
checkpoint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stage):\n if stage is None:\n return False\n try:\n is_checkpoint = stage.checkpoint\n except AttributeError:\n if hasattr(stage, '__call__'):\n stage = stage.__name__\n else:\n base, ext = os.path.splitext(stage)\n if ext and '.' not in base:\n print(\n \"WARNING: '{}' looks like it may be the name or path of a file; for such a checkpoint, use touch_checkpoint.\"\n .format(stage))\n else:\n if not is_checkpoint:\n print('Not a checkpoint: {}'.format(stage))\n return False\n stage = stage.name\n print(\"Checkpointing: '{}'\".format(stage))\n if os.path.isabs(stage):\n check_fpath = stage\n else:\n check_fpath = checkpoint_filepath(stage, pm=self)\n return self._touch_checkpoint(check_fpath)\n", "role": "user" }, { "content": "checkpoint", "role": "assistant" } ]
def x(self, check_file): if os.path.isabs(check_file): folder, _ = os.path.split(check_file) other_folder = os.path.join(folder, '') this_folder = os.path.join(self.outfolder, '') if other_folder != this_folder: errmsg = ( "Path provided as checkpoint file isn't in pipeline output folder. '{}' is not in '{}'" .format(check_file, self.outfolder)) raise ValueError(errmsg) fpath = check_file else: fpath = pipeline_filepath(self, filename=check_file) already_exists = os.path.isfile(fpath) open(fpath, 'w').close() action = 'Updated' if already_exists else 'Created' print("{} checkpoint file: '{}'".format(action, fpath)) return already_exists
touch_checkpoint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, check_file):\n if os.path.isabs(check_file):\n folder, _ = os.path.split(check_file)\n other_folder = os.path.join(folder, '')\n this_folder = os.path.join(self.outfolder, '')\n if other_folder != this_folder:\n errmsg = (\n \"Path provided as checkpoint file isn't in pipeline output folder. '{}' is not in '{}'\"\n .format(check_file, self.outfolder))\n raise ValueError(errmsg)\n fpath = check_file\n else:\n fpath = pipeline_filepath(self, filename=check_file)\n already_exists = os.path.isfile(fpath)\n open(fpath, 'w').close()\n action = 'Updated' if already_exists else 'Created'\n print(\"{} checkpoint file: '{}'\".format(action, fpath))\n return already_exists\n", "role": "user" }, { "content": "touch_checkpoint", "role": "assistant" } ]
def x(self, e, dynamic_recover=False): sys.stdout.flush() self._terminate_running_subprocesses() if dynamic_recover: if len(self.locks) < 1: print('No locked process. Dynamic recovery will be automatic.') for lock_file in self.locks[:]: recover_file = self._recoverfile_from_lockfile(lock_file) print('Setting dynamic recover file: {}'.format(recover_file)) self._create_file(recover_file) self.locks.remove(lock_file) self._cleanup(dry_run=True) if not self._failed: self.timestamp('### Pipeline failed at: ') total_time = datetime.timedelta(seconds=self.time_elapsed(self. starttime)) print('Total time: ' + str(total_time)) self._set_status_flag(FAIL_FLAG) raise e
fail_pipeline
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, e, dynamic_recover=False):\n sys.stdout.flush()\n self._terminate_running_subprocesses()\n if dynamic_recover:\n if len(self.locks) < 1:\n print('No locked process. Dynamic recovery will be automatic.')\n for lock_file in self.locks[:]:\n recover_file = self._recoverfile_from_lockfile(lock_file)\n print('Setting dynamic recover file: {}'.format(recover_file))\n self._create_file(recover_file)\n self.locks.remove(lock_file)\n self._cleanup(dry_run=True)\n if not self._failed:\n self.timestamp('### Pipeline failed at: ')\n total_time = datetime.timedelta(seconds=self.time_elapsed(self.\n starttime))\n print('Total time: ' + str(total_time))\n self._set_status_flag(FAIL_FLAG)\n raise e\n", "role": "user" }, { "content": "fail_pipeline", "role": "assistant" } ]
def x(self, checkpoint=None, finished=False, raise_error=True): self.stop_pipeline(PAUSE_FLAG) self._active = False if raise_error: raise PipelineHalt(checkpoint, finished)
halt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, checkpoint=None, finished=False, raise_error=True):\n self.stop_pipeline(PAUSE_FLAG)\n self._active = False\n if raise_error:\n raise PipelineHalt(checkpoint, finished)\n", "role": "user" }, { "content": "halt", "role": "assistant" } ]
def x(self, status=COMPLETE_FLAG): self._set_status_flag(status) self._cleanup() self.report_result('Time', str(datetime.timedelta(seconds=self. time_elapsed(self.starttime)))) self.report_result('Success', time.strftime('%m-%d-%H:%M:%S')) print('\n##### [Epilogue:]') print('* ' + 'Total elapsed time'.rjust(20) + ': ' + str(datetime. timedelta(seconds=self.time_elapsed(self.starttime)))) print('* ' + 'Peak memory used'.rjust(20) + ': ' + str(round(self. peak_memory, 2)) + ' GB') if self.halted: return self.timestamp('* Pipeline completed at: '.rjust(20))
stop_pipeline
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, status=COMPLETE_FLAG):\n self._set_status_flag(status)\n self._cleanup()\n self.report_result('Time', str(datetime.timedelta(seconds=self.\n time_elapsed(self.starttime))))\n self.report_result('Success', time.strftime('%m-%d-%H:%M:%S'))\n print('\\n##### [Epilogue:]')\n print('* ' + 'Total elapsed time'.rjust(20) + ': ' + str(datetime.\n timedelta(seconds=self.time_elapsed(self.starttime))))\n print('* ' + 'Peak memory used'.rjust(20) + ': ' + str(round(self.\n peak_memory, 2)) + ' GB')\n if self.halted:\n return\n self.timestamp('* Pipeline completed at: '.rjust(20))\n", "role": "user" }, { "content": "stop_pipeline", "role": "assistant" } ]
def x(self, signal_type): print('</pre>') message = 'Got ' + signal_type + '. Failing gracefully...' self.timestamp(message) self.fail_pipeline(KeyboardInterrupt(signal_type), dynamic_recover=True) sys.exit(1)
generic_signal_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, signal_type):\n print('</pre>')\n message = 'Got ' + signal_type + '. Failing gracefully...'\n self.timestamp(message)\n self.fail_pipeline(KeyboardInterrupt(signal_type), dynamic_recover=True)\n sys.exit(1)\n", "role": "user" }, { "content": "generic_signal_handler", "role": "assistant" } ]
def x(self): if os.path.isfile(self.cleanup_file): with open(self.cleanup_file, 'a') as myfile: myfile.write('rm ' + self.cleanup_file + '\n') os.chmod(self.cleanup_file, 493) if not self._has_exit_status: print('Pipeline status: {}'.format(self.status)) self.fail_pipeline(Exception('Pipeline failure. See details above.')) if self.tee: self.tee.kill()
exit_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if os.path.isfile(self.cleanup_file):\n with open(self.cleanup_file, 'a') as myfile:\n myfile.write('rm ' + self.cleanup_file + '\\n')\n os.chmod(self.cleanup_file, 493)\n if not self._has_exit_status:\n print('Pipeline status: {}'.format(self.status))\n self.fail_pipeline(Exception('Pipeline failure. See details above.'))\n if self.tee:\n self.tee.kill()\n", "role": "user" }, { "content": "exit_handler", "role": "assistant" } ]
def x(self, child_pid, proc_name=None): def x(proc_pid, sig=signal.SIGINT): parent_process = psutil.Process(proc_pid) for child_proc in parent_process.children(recursive=True): child_proc.send_signal(sig) parent_process.send_signal(sig) if child_pid is None: return if proc_name: proc_string = ' ({proc_name})'.format(proc_name=proc_name) sys.stdout.flush() still_running = self._attend_process(psutil.Process(child_pid), 0) sleeptime = 0.25 time_waiting = 0 while still_running and time_waiting < 3: try: if time_waiting > 2: pskill(child_pid, signal.SIGKILL) elif time_waiting > 1: pskill(child_pid, signal.SIGTERM) else: pskill(child_pid, signal.SIGINT) except OSError: still_running = False time_waiting = time_waiting + sleeptime time_waiting = time_waiting + sleeptime if not self._attend_process(psutil.Process(child_pid), sleeptime): still_running = False if still_running: print( "Child process {child_pid}{proc_string} never respondedI just can't take it anymore. I don't know what to do..." .format(child_pid=child_pid, proc_string=proc_string)) else: if time_waiting > 0: note = 'terminated after {time} sec'.format(time=int(time_waiting)) else: note = 'was already terminated' msg = 'Child process {child_pid}{proc_string} {note}.'.format(child_pid =child_pid, proc_string=proc_string, note=note) print(msg)
kill_child_process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, child_pid, proc_name=None):\n\n def x(proc_pid, sig=signal.SIGINT):\n parent_process = psutil.Process(proc_pid)\n for child_proc in parent_process.children(recursive=True):\n child_proc.send_signal(sig)\n parent_process.send_signal(sig)\n if child_pid is None:\n return\n if proc_name:\n proc_string = ' ({proc_name})'.format(proc_name=proc_name)\n sys.stdout.flush()\n still_running = self._attend_process(psutil.Process(child_pid), 0)\n sleeptime = 0.25\n time_waiting = 0\n while still_running and time_waiting < 3:\n try:\n if time_waiting > 2:\n pskill(child_pid, signal.SIGKILL)\n elif time_waiting > 1:\n pskill(child_pid, signal.SIGTERM)\n else:\n pskill(child_pid, signal.SIGINT)\n except OSError:\n still_running = False\n time_waiting = time_waiting + sleeptime\n time_waiting = time_waiting + sleeptime\n if not self._attend_process(psutil.Process(child_pid), sleeptime):\n still_running = False\n if still_running:\n print(\n \"Child process {child_pid}{proc_string} never respondedI just can't take it anymore. I don't know what to do...\"\n .format(child_pid=child_pid, proc_string=proc_string))\n else:\n if time_waiting > 0:\n note = 'terminated after {time} sec'.format(time=int(time_waiting))\n else:\n note = 'was already terminated'\n msg = 'Child process {child_pid}{proc_string} {note}.'.format(child_pid\n =child_pid, proc_string=proc_string, note=note)\n print(msg)\n", "role": "user" }, { "content": "kill_child_process", "role": "assistant" } ]
def x(self, regex, conditional=False, manual=False): if self.dirty: manual = True if not self.clean_initialized: with open(self.cleanup_file, 'a') as myfile: clean_init = 'DIR="$(cd -P -- "$(dirname -- "$0")" && pwd -P)"' myfile.write(clean_init + '\n') myfile.write('cd ${DIR}\n') self.clean_initialized = True if manual: try: filenames = glob.glob(regex) for filename in filenames: with open(self.cleanup_file, 'a') as myfile: relative_filename = os.path.relpath(filename, self. outfolder) if os.path.isabs(filename) else filename if os.path.isfile(relative_filename): myfile.write('rm ' + relative_filename + '\n') elif os.path.isdir(relative_filename): myfile.write('rm ' + relative_filename + '/*\n') myfile.write('rmdir ' + relative_filename + '\n') except: pass elif conditional: self.cleanup_list_conditional.append(regex) else: self.cleanup_list.append(regex) while regex in self.cleanup_list_conditional: self.cleanup_list_conditional.remove(regex)
clean_add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, regex, conditional=False, manual=False):\n if self.dirty:\n manual = True\n if not self.clean_initialized:\n with open(self.cleanup_file, 'a') as myfile:\n clean_init = 'DIR=\"$(cd -P -- \"$(dirname -- \"$0\")\" && pwd -P)\"'\n myfile.write(clean_init + '\\n')\n myfile.write('cd ${DIR}\\n')\n self.clean_initialized = True\n if manual:\n try:\n filenames = glob.glob(regex)\n for filename in filenames:\n with open(self.cleanup_file, 'a') as myfile:\n relative_filename = os.path.relpath(filename, self.\n outfolder) if os.path.isabs(filename) else filename\n if os.path.isfile(relative_filename):\n myfile.write('rm ' + relative_filename + '\\n')\n elif os.path.isdir(relative_filename):\n myfile.write('rm ' + relative_filename + '/*\\n')\n myfile.write('rmdir ' + relative_filename + '\\n')\n except:\n pass\n elif conditional:\n self.cleanup_list_conditional.append(regex)\n else:\n self.cleanup_list.append(regex)\n while regex in self.cleanup_list_conditional:\n self.cleanup_list_conditional.remove(regex)\n", "role": "user" }, { "content": "clean_add", "role": "assistant" } ]
def x(self, dry_run=False): if dry_run: if len(self.cleanup_list) > 0: combined_list = self.cleanup_list_conditional + self.cleanup_list self.cleanup_list_conditional = combined_list self.cleanup_list = [] if len(self.cleanup_list) > 0: print('\nCleaning up flagged intermediate files. . .') for expr in self.cleanup_list: print('\nRemoving glob: ' + expr) try: files = glob.glob(expr) while files in self.cleanup_list: self.cleanup_list.remove(files) for file in files: if os.path.isfile(file): print('`rm ' + file + '`') os.remove(os.path.join(file)) elif os.path.isdir(file): print('`rmdir ' + file + '`') os.rmdir(os.path.join(file)) except: pass if len(self.cleanup_list_conditional) > 0: run_flag = flag_name(RUN_FLAG) flag_files = [fn for fn in glob.glob(self.outfolder + flag_name('*' )) if COMPLETE_FLAG not in os.path.basename(fn) and not '{}_{}' .format(self.name, run_flag) == os.path.basename(fn)] if len(flag_files) == 0 and not dry_run: print('\nCleaning up conditional list. . .') for expr in self.cleanup_list_conditional: print('\nRemoving glob: ' + expr) try: files = glob.glob(expr) while files in self.cleanup_list_conditional: self.cleanup_list_conditional.remove(files) for file in files: if os.path.isfile(file): print('`rm ' + file + '`') os.remove(os.path.join(file)) elif os.path.isdir(file): print('`rmdir ' + file + '`') os.rmdir(os.path.join(file)) except: pass else: print('\nConditional flag found: ' + str([os.path.basename(i) for i in flag_files])) print('\nThese conditional files were left in place:\n\n- ' + '\n- '.join(self.cleanup_list_conditional)) no_cleanup_script = [] for cleandir in self.cleanup_list_conditional: try: items_to_clean = glob.glob(cleandir) for clean_item in items_to_clean: with open(self.cleanup_file, 'a') as clean_script: if os.path.isfile(clean_item): clean_script.write('rm ' + clean_item + '\n') elif os.path.isdir(clean_item): clean_script.write('rmdir ' + clean_item + '\n' ) except Exception as e: no_cleanup_script.append(cleandir) if no_cleanup_script: print( '\n\nCould not produce cleanup script for item(s):\n\n- ' + '\n- '.join(no_cleanup_script))
cleanup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dry_run=False):\n if dry_run:\n if len(self.cleanup_list) > 0:\n combined_list = self.cleanup_list_conditional + self.cleanup_list\n self.cleanup_list_conditional = combined_list\n self.cleanup_list = []\n if len(self.cleanup_list) > 0:\n print('\\nCleaning up flagged intermediate files. . .')\n for expr in self.cleanup_list:\n print('\\nRemoving glob: ' + expr)\n try:\n files = glob.glob(expr)\n while files in self.cleanup_list:\n self.cleanup_list.remove(files)\n for file in files:\n if os.path.isfile(file):\n print('`rm ' + file + '`')\n os.remove(os.path.join(file))\n elif os.path.isdir(file):\n print('`rmdir ' + file + '`')\n os.rmdir(os.path.join(file))\n except:\n pass\n if len(self.cleanup_list_conditional) > 0:\n run_flag = flag_name(RUN_FLAG)\n flag_files = [fn for fn in glob.glob(self.outfolder + flag_name('*'\n )) if COMPLETE_FLAG not in os.path.basename(fn) and not '{}_{}'\n .format(self.name, run_flag) == os.path.basename(fn)]\n if len(flag_files) == 0 and not dry_run:\n print('\\nCleaning up conditional list. . .')\n for expr in self.cleanup_list_conditional:\n print('\\nRemoving glob: ' + expr)\n try:\n files = glob.glob(expr)\n while files in self.cleanup_list_conditional:\n self.cleanup_list_conditional.remove(files)\n for file in files:\n if os.path.isfile(file):\n print('`rm ' + file + '`')\n os.remove(os.path.join(file))\n elif os.path.isdir(file):\n print('`rmdir ' + file + '`')\n os.rmdir(os.path.join(file))\n except:\n pass\n else:\n print('\\nConditional flag found: ' + str([os.path.basename(i) for\n i in flag_files]))\n print('\\nThese conditional files were left in place:\\n\\n- ' +\n '\\n- '.join(self.cleanup_list_conditional))\n no_cleanup_script = []\n for cleandir in self.cleanup_list_conditional:\n try:\n items_to_clean = glob.glob(cleandir)\n for clean_item in items_to_clean:\n with open(self.cleanup_file, 'a') as clean_script:\n if os.path.isfile(clean_item):\n clean_script.write('rm ' + clean_item + '\\n')\n elif os.path.isdir(clean_item):\n clean_script.write('rmdir ' + clean_item + '\\n'\n )\n except Exception as e:\n no_cleanup_script.append(cleandir)\n if no_cleanup_script:\n print(\n '\\n\\nCould not produce cleanup script for item(s):\\n\\n- ' +\n '\\n- '.join(no_cleanup_script))\n", "role": "user" }, { "content": "cleanup", "role": "assistant" } ]
def x(self, pid='self', category='hwm', container=None): if container: cmd = ('docker stats ' + container + " --format '{{.MemUsage}}' --no-stream") mem_use_str = subprocess.check_output(cmd, shell=True) mem_use = mem_use_str.split('/')[0].split() mem_num = re.findall('[\\d\\.]+', mem_use_str.split('/')[0])[0] mem_scale = re.findall('[A-Za-z]+', mem_use_str.split('/')[0])[0] mem_num = float(mem_num) if mem_scale == 'GiB': return mem_num * 1000000.0 elif mem_scale == 'MiB': return mem_num * 1000.0 elif mem_scale == 'KiB': return mem_num else: return 0 status = None result = {'peak': 0, 'rss': 0, 'hwm': 0} try: proc_spot = '/proc/%s/status' % pid status = open(proc_spot) for line in status: parts = line.split() key = parts[0][2:-1].lower() if key in result: result[key] = int(parts[1]) except: return 0 finally: if status is not None: status.close() return result[category]
memory_usage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pid='self', category='hwm', container=None):\n if container:\n cmd = ('docker stats ' + container +\n \" --format '{{.MemUsage}}' --no-stream\")\n mem_use_str = subprocess.check_output(cmd, shell=True)\n mem_use = mem_use_str.split('/')[0].split()\n mem_num = re.findall('[\\\\d\\\\.]+', mem_use_str.split('/')[0])[0]\n mem_scale = re.findall('[A-Za-z]+', mem_use_str.split('/')[0])[0]\n mem_num = float(mem_num)\n if mem_scale == 'GiB':\n return mem_num * 1000000.0\n elif mem_scale == 'MiB':\n return mem_num * 1000.0\n elif mem_scale == 'KiB':\n return mem_num\n else:\n return 0\n status = None\n result = {'peak': 0, 'rss': 0, 'hwm': 0}\n try:\n proc_spot = '/proc/%s/status' % pid\n status = open(proc_spot)\n for line in status:\n parts = line.split()\n key = parts[0][2:-1].lower()\n if key in result:\n result[key] = int(parts[1])\n except:\n return 0\n finally:\n if status is not None:\n status.close()\n return result[category]\n", "role": "user" }, { "content": "memory_usage", "role": "assistant" } ]
def x(self, e, nofail): if not nofail: self.fail_pipeline(e) elif self._failed: print( 'This is a nofail process, but the pipeline was terminated for other reasons, so we fail.' ) raise e else: print(e) print( 'ERROR: Subprocess returned nonzero result, but pipeline is continuing because nofail=True' )
triage_error
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, e, nofail):\n if not nofail:\n self.fail_pipeline(e)\n elif self._failed:\n print(\n 'This is a nofail process, but the pipeline was terminated for other reasons, so we fail.'\n )\n raise e\n else:\n print(e)\n print(\n 'ERROR: Subprocess returned nonzero result, but pipeline is continuing because nofail=True'\n )\n", "role": "user" }, { "content": "triage_error", "role": "assistant" } ]
def x(reqs_name): path_reqs_file = os.path.join('requirements', 'reqs-{}.txt'.format( reqs_name)) with open(path_reqs_file, 'r') as reqs_file: return [pkg.rstrip() for pkg in reqs_file.readlines() if not pkg. startswith('#')]
read_reqs_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(reqs_name):\n path_reqs_file = os.path.join('requirements', 'reqs-{}.txt'.format(\n reqs_name))\n with open(path_reqs_file, 'r') as reqs_file:\n return [pkg.rstrip() for pkg in reqs_file.readlines() if not pkg.\n startswith('#')]\n", "role": "user" }, { "content": "read_reqs_file", "role": "assistant" } ]
def x(collection): if not isinstance(collection, Iterable): raise TypeError('Non-iterable alleged collection: {}'.format(type( collection))) return isinstance(collection, set) or isinstance(collection, dict ) and not isinstance(collection, OrderedDict)
is_unordered
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(collection):\n if not isinstance(collection, Iterable):\n raise TypeError('Non-iterable alleged collection: {}'.format(type(\n collection)))\n return isinstance(collection, set) or isinstance(collection, dict\n ) and not isinstance(collection, OrderedDict)\n", "role": "user" }, { "content": "is_unordered", "role": "assistant" } ]
def x(stage_spec): req_msg = ( 'Stage specification must be either a {0} itself, a (<name>, {0}) pair, or a callable with a __name__ attribute (e.g., a non-anonymous function)' .format(Stage.__name__)) if isinstance(stage_spec, Stage): return stage_spec.name, stage_spec try: name, stage = stage_spec except (TypeError, ValueError): try: name = stage_spec.__name__ except AttributeError: raise TypeError(req_msg) else: if name == (lambda : None).__name__: raise TypeError(req_msg) stage = stage_spec if not hasattr(stage, '__call__'): raise TypeError(req_msg) return name, Stage(stage, name=name)
parse_stage_spec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(stage_spec):\n req_msg = (\n 'Stage specification must be either a {0} itself, a (<name>, {0}) pair, or a callable with a __name__ attribute (e.g., a non-anonymous function)'\n .format(Stage.__name__))\n if isinstance(stage_spec, Stage):\n return stage_spec.name, stage_spec\n try:\n name, stage = stage_spec\n except (TypeError, ValueError):\n try:\n name = stage_spec.__name__\n except AttributeError:\n raise TypeError(req_msg)\n else:\n if name == (lambda : None).__name__:\n raise TypeError(req_msg)\n stage = stage_spec\n if not hasattr(stage, '__call__'):\n raise TypeError(req_msg)\n return name, Stage(stage, name=name)\n", "role": "user" }, { "content": "parse_stage_spec", "role": "assistant" } ]
def x(self, stage, msg=''): return self.manager.timestamp(message=msg, checkpoint=stage. checkpoint_name, finished=True)
checkpoint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stage, msg=''):\n return self.manager.timestamp(message=msg, checkpoint=stage.\n checkpoint_name, finished=True)\n", "role": "user" }, { "content": "checkpoint", "role": "assistant" } ]
def x(self, stage): check_path = checkpoint_filepath(stage, self.manager) return os.path.exists(check_path)
completed_stage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stage):\n check_path = checkpoint_filepath(stage, self.manager)\n return os.path.exists(check_path)\n", "role": "user" }, { "content": "completed_stage", "role": "assistant" } ]
def x(self, only_name=False): paths = glob.glob(os.path.join(self.outfolder, flag_name('*'))) if only_name: return [os.path.split(p)[1] for p in paths] else: return paths
list_flags
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, only_name=False):\n paths = glob.glob(os.path.join(self.outfolder, flag_name('*')))\n if only_name:\n return [os.path.split(p)[1] for p in paths]\n else:\n return paths\n", "role": "user" }, { "content": "list_flags", "role": "assistant" } ]
def x(self, start_point=None, stop_before=None, stop_after=None): self._reset() if stop_before and stop_after: raise IllegalPipelineExecutionError( 'Cannot specify both inclusive and exclusive stops.') if stop_before: stop = stop_before inclusive_stop = False elif stop_after: stop = stop_after inclusive_stop = True else: stop = None inclusive_stop = None for s in [start_point, stop]: if s is None: continue name = parse_stage_name(s) if name not in self.stage_names: raise UnknownPipelineStageError(name, self) if self._unordered and (start_point or stop_before or stop_after): print( 'WARNING: Starting and stopping points are nonsense for pipeline with unordered stages.' ) start_index = self._start_index(start_point) stop_index = self._stop_index(stop, inclusive=inclusive_stop) assert stop_index <= len(self._stages) if start_index >= stop_index: raise IllegalPipelineExecutionError( 'Cannot start pipeline at or after stopping point') self.skipped.extend(self._stages[:start_index]) skip_mode = True for stage in self._stages[start_index:stop_index]: if skip_mode and self.completed_stage(stage): print('Skipping completed checkpoint stage: {}'.format(stage)) self.skipped.append(stage) continue skip_mode = False print('Running stage: {}'.format(stage)) stage.run() self.executed.append(stage) self.checkpoint(stage) self.skipped.extend(self._stages[stop_index:]) if stop_index == len(self._stages): self.wrapup() else: self.halt(raise_error=False)
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start_point=None, stop_before=None, stop_after=None):\n self._reset()\n if stop_before and stop_after:\n raise IllegalPipelineExecutionError(\n 'Cannot specify both inclusive and exclusive stops.')\n if stop_before:\n stop = stop_before\n inclusive_stop = False\n elif stop_after:\n stop = stop_after\n inclusive_stop = True\n else:\n stop = None\n inclusive_stop = None\n for s in [start_point, stop]:\n if s is None:\n continue\n name = parse_stage_name(s)\n if name not in self.stage_names:\n raise UnknownPipelineStageError(name, self)\n if self._unordered and (start_point or stop_before or stop_after):\n print(\n 'WARNING: Starting and stopping points are nonsense for pipeline with unordered stages.'\n )\n start_index = self._start_index(start_point)\n stop_index = self._stop_index(stop, inclusive=inclusive_stop)\n assert stop_index <= len(self._stages)\n if start_index >= stop_index:\n raise IllegalPipelineExecutionError(\n 'Cannot start pipeline at or after stopping point')\n self.skipped.extend(self._stages[:start_index])\n skip_mode = True\n for stage in self._stages[start_index:stop_index]:\n if skip_mode and self.completed_stage(stage):\n print('Skipping completed checkpoint stage: {}'.format(stage))\n self.skipped.append(stage)\n continue\n skip_mode = False\n print('Running stage: {}'.format(stage))\n stage.run()\n self.executed.append(stage)\n self.checkpoint(stage)\n self.skipped.extend(self._stages[stop_index:])\n if stop_index == len(self._stages):\n self.wrapup()\n else:\n self.halt(raise_error=False)\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self, start=None): if start is None: return 0 start_stage = translate_stage_name(start) internal_names = [translate_stage_name(s.name) for s in self._stages] try: return internal_names.index(start_stage) except ValueError: raise UnknownPipelineStageError(start, self)
start_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start=None):\n if start is None:\n return 0\n start_stage = translate_stage_name(start)\n internal_names = [translate_stage_name(s.name) for s in self._stages]\n try:\n return internal_names.index(start_stage)\n except ValueError:\n raise UnknownPipelineStageError(start, self)\n", "role": "user" }, { "content": "start_index", "role": "assistant" } ]
def x(self, stop_point, inclusive): if not stop_point: return len(self._stages) stop_name = parse_stage_name(stop_point) try: stop_index = self.stage_names.index(stop_name) except ValueError: raise UnknownPipelineStageError(stop_name, self) return stop_index + 1 if inclusive else stop_index
stop_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stop_point, inclusive):\n if not stop_point:\n return len(self._stages)\n stop_name = parse_stage_name(stop_point)\n try:\n stop_index = self.stage_names.index(stop_name)\n except ValueError:\n raise UnknownPipelineStageError(stop_name, self)\n return stop_index + 1 if inclusive else stop_index\n", "role": "user" }, { "content": "stop_index", "role": "assistant" } ]
def x(self, family_name): font = self.font date_created = getattr(font, 'date', None) if date_created is not None: date_created = to_ufo_time(date_created) units_per_em = font.upm version_major = font.versionMajor version_minor = font.versionMinor copyright = font.copyright designer = font.designer designer_url = font.designerURL manufacturer = font.manufacturer manufacturer_url = font.manufacturerURL glyph_order = list(glyph.name for glyph in font.glyphs) for index, master in enumerate(font.masters): source = self._designspace.newSourceDescriptor() ufo = self.ufo_module.Font() source.font = ufo ufo.lib[APP_VERSION_LIB_KEY] = font.appVersion ufo.lib[KEYBOARD_INCREMENT_KEY] = font.keyboardIncrement if date_created is not None: ufo.info.openTypeHeadCreated = date_created ufo.info.unitsPerEm = units_per_em ufo.info.versionMajor = version_major ufo.info.versionMinor = version_minor if copyright: ufo.info.copyright = copyright if designer: ufo.info.openTypeNameDesigner = designer if designer_url: ufo.info.openTypeNameDesignerURL = designer_url if manufacturer: ufo.info.openTypeNameManufacturer = manufacturer if manufacturer_url: ufo.info.openTypeNameManufacturerURL = manufacturer_url ufo.glyphOrder = glyph_order self.to_ufo_names(ufo, master, family_name) self.to_ufo_family_user_data(ufo) self.to_ufo_custom_params(ufo, font) self.to_ufo_master_attributes(source, master) ufo.lib[MASTER_ORDER_LIB_KEY] = index self._designspace.addSource(source) self._sources[master.id] = source
to_ufo_font_attributes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, family_name):\n font = self.font\n date_created = getattr(font, 'date', None)\n if date_created is not None:\n date_created = to_ufo_time(date_created)\n units_per_em = font.upm\n version_major = font.versionMajor\n version_minor = font.versionMinor\n copyright = font.copyright\n designer = font.designer\n designer_url = font.designerURL\n manufacturer = font.manufacturer\n manufacturer_url = font.manufacturerURL\n glyph_order = list(glyph.name for glyph in font.glyphs)\n for index, master in enumerate(font.masters):\n source = self._designspace.newSourceDescriptor()\n ufo = self.ufo_module.Font()\n source.font = ufo\n ufo.lib[APP_VERSION_LIB_KEY] = font.appVersion\n ufo.lib[KEYBOARD_INCREMENT_KEY] = font.keyboardIncrement\n if date_created is not None:\n ufo.info.openTypeHeadCreated = date_created\n ufo.info.unitsPerEm = units_per_em\n ufo.info.versionMajor = version_major\n ufo.info.versionMinor = version_minor\n if copyright:\n ufo.info.copyright = copyright\n if designer:\n ufo.info.openTypeNameDesigner = designer\n if designer_url:\n ufo.info.openTypeNameDesignerURL = designer_url\n if manufacturer:\n ufo.info.openTypeNameManufacturer = manufacturer\n if manufacturer_url:\n ufo.info.openTypeNameManufacturerURL = manufacturer_url\n ufo.glyphOrder = glyph_order\n self.to_ufo_names(ufo, master, family_name)\n self.to_ufo_family_user_data(ufo)\n self.to_ufo_custom_params(ufo, font)\n self.to_ufo_master_attributes(source, master)\n ufo.lib[MASTER_ORDER_LIB_KEY] = index\n self._designspace.addSource(source)\n self._sources[master.id] = source\n", "role": "user" }, { "content": "to_ufo_font_attributes", "role": "assistant" } ]
def x(self, source, master, is_initial): if is_initial: _set_glyphs_font_attributes(self, source) else: _compare_and_merge_glyphs_font_attributes(self, source)
to_glyphs_font_attributes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, source, master, is_initial):\n if is_initial:\n _set_glyphs_font_attributes(self, source)\n else:\n _compare_and_merge_glyphs_font_attributes(self, source)\n", "role": "user" }, { "content": "to_glyphs_font_attributes", "role": "assistant" } ]
def x(self, ufo_glyph, layer, glyph): ufo_glyph.unicodes = [int(uval, 16) for uval in glyph.unicodes] note = glyph.note if note is not None: ufo_glyph.note = note last_change = glyph.lastChange if last_change is not None: ufo_glyph.lib[GLYPHLIB_PREFIX + 'lastChange'] = to_ufo_time(last_change ) color_index = glyph.color if color_index is not None: if isinstance(color_index, list) and len(color_index) == 4 and all( 0 <= v < 256 for v in color_index): ufo_glyph.markColor = ','.join('{:.3f}'.format(v / 255) for v in color_index) elif isinstance(color_index, int) and color_index in range(len( GLYPHS_COLORS)): ufo_glyph.markColor = GLYPHS_COLORS[color_index] else: logger.warning('Glyph {}, layer {}: Invalid color index/tuple {}' .format(glyph.name, layer.name, color_index)) export = glyph.export if not export: if 'public.skipExportGlyphs' not in self._designspace.lib: self._designspace.lib['public.skipExportGlyphs'] = [] self._designspace.lib['public.skipExportGlyphs'].append(glyph.name) glyphinfo = glyphsLib.glyphdata.get_glyph(ufo_glyph.name) production_name = glyph.production or glyphinfo.production_name if production_name != ufo_glyph.name: postscriptNamesKey = PUBLIC_PREFIX + 'postscriptNames' if postscriptNamesKey not in ufo_glyph.font.lib: ufo_glyph.font.lib[postscriptNamesKey] = dict() ufo_glyph.font.lib[postscriptNamesKey][ufo_glyph.name ] = production_name for key in ['leftMetricsKey', 'rightMetricsKey', 'widthMetricsKey']: value = getattr(layer, key, None) if value: ufo_glyph.lib[GLYPHLIB_PREFIX + 'layer.' + key] = value value = getattr(glyph, key, None) if value: ufo_glyph.lib[GLYPHLIB_PREFIX + 'glyph.' + key] = value if glyph.script is not None: ufo_glyph.lib[SCRIPT_LIB_KEY] = glyph.script category = glyph.category if category is None: category = glyphinfo.category else: ufo_glyph.lib[GLYPHLIB_PREFIX + 'category'] = category subCategory = glyph.subCategory if subCategory is None: subCategory = glyphinfo.subCategory else: ufo_glyph.lib[GLYPHLIB_PREFIX + 'subCategory'] = subCategory width = layer.width if width is None: pass elif category == 'Mark' and subCategory == 'Nonspacing' and width > 0: ufo_glyph.lib[ORIGINAL_WIDTH_KEY] = width ufo_glyph.width = 0 else: ufo_glyph.width = width self.to_ufo_background_image(ufo_glyph, layer) self.to_ufo_guidelines(ufo_glyph, layer) self.to_ufo_glyph_background(ufo_glyph, layer) self.to_ufo_annotations(ufo_glyph, layer) self.to_ufo_hints(ufo_glyph, layer) self.to_ufo_glyph_user_data(ufo_glyph.font, glyph) self.to_ufo_layer_user_data(ufo_glyph, layer) self.to_ufo_smart_component_axes(ufo_glyph, glyph) self.to_ufo_paths(ufo_glyph, layer) self.to_ufo_components(ufo_glyph, layer) self.to_ufo_glyph_anchors(ufo_glyph, layer.anchors)
to_ufo_glyph
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ufo_glyph, layer, glyph):\n ufo_glyph.unicodes = [int(uval, 16) for uval in glyph.unicodes]\n note = glyph.note\n if note is not None:\n ufo_glyph.note = note\n last_change = glyph.lastChange\n if last_change is not None:\n ufo_glyph.lib[GLYPHLIB_PREFIX + 'lastChange'] = to_ufo_time(last_change\n )\n color_index = glyph.color\n if color_index is not None:\n if isinstance(color_index, list) and len(color_index) == 4 and all(\n 0 <= v < 256 for v in color_index):\n ufo_glyph.markColor = ','.join('{:.3f}'.format(v / 255) for v in\n color_index)\n elif isinstance(color_index, int) and color_index in range(len(\n GLYPHS_COLORS)):\n ufo_glyph.markColor = GLYPHS_COLORS[color_index]\n else:\n logger.warning('Glyph {}, layer {}: Invalid color index/tuple {}'\n .format(glyph.name, layer.name, color_index))\n export = glyph.export\n if not export:\n if 'public.skipExportGlyphs' not in self._designspace.lib:\n self._designspace.lib['public.skipExportGlyphs'] = []\n self._designspace.lib['public.skipExportGlyphs'].append(glyph.name)\n glyphinfo = glyphsLib.glyphdata.get_glyph(ufo_glyph.name)\n production_name = glyph.production or glyphinfo.production_name\n if production_name != ufo_glyph.name:\n postscriptNamesKey = PUBLIC_PREFIX + 'postscriptNames'\n if postscriptNamesKey not in ufo_glyph.font.lib:\n ufo_glyph.font.lib[postscriptNamesKey] = dict()\n ufo_glyph.font.lib[postscriptNamesKey][ufo_glyph.name\n ] = production_name\n for key in ['leftMetricsKey', 'rightMetricsKey', 'widthMetricsKey']:\n value = getattr(layer, key, None)\n if value:\n ufo_glyph.lib[GLYPHLIB_PREFIX + 'layer.' + key] = value\n value = getattr(glyph, key, None)\n if value:\n ufo_glyph.lib[GLYPHLIB_PREFIX + 'glyph.' + key] = value\n if glyph.script is not None:\n ufo_glyph.lib[SCRIPT_LIB_KEY] = glyph.script\n category = glyph.category\n if category is None:\n category = glyphinfo.category\n else:\n ufo_glyph.lib[GLYPHLIB_PREFIX + 'category'] = category\n subCategory = glyph.subCategory\n if subCategory is None:\n subCategory = glyphinfo.subCategory\n else:\n ufo_glyph.lib[GLYPHLIB_PREFIX + 'subCategory'] = subCategory\n width = layer.width\n if width is None:\n pass\n elif category == 'Mark' and subCategory == 'Nonspacing' and width > 0:\n ufo_glyph.lib[ORIGINAL_WIDTH_KEY] = width\n ufo_glyph.width = 0\n else:\n ufo_glyph.width = width\n self.to_ufo_background_image(ufo_glyph, layer)\n self.to_ufo_guidelines(ufo_glyph, layer)\n self.to_ufo_glyph_background(ufo_glyph, layer)\n self.to_ufo_annotations(ufo_glyph, layer)\n self.to_ufo_hints(ufo_glyph, layer)\n self.to_ufo_glyph_user_data(ufo_glyph.font, glyph)\n self.to_ufo_layer_user_data(ufo_glyph, layer)\n self.to_ufo_smart_component_axes(ufo_glyph, glyph)\n self.to_ufo_paths(ufo_glyph, layer)\n self.to_ufo_components(ufo_glyph, layer)\n self.to_ufo_glyph_anchors(ufo_glyph, layer.anchors)\n", "role": "user" }, { "content": "to_ufo_glyph", "role": "assistant" } ]
def x(self, ufo_glyph, ufo_layer, master): if ufo_glyph.name in self.font.glyphs: glyph = self.font.glyphs[ufo_glyph.name] else: glyph = self.glyphs_module.GSGlyph(name=ufo_glyph.name) self.font.glyphs.append(glyph) if ufo_glyph.unicodes: glyph.unicodes = ['{:04X}'.format(c) for c in ufo_glyph.unicodes] glyph.note = ufo_glyph.note or '' if GLYPHLIB_PREFIX + 'lastChange' in ufo_glyph.lib: last_change = ufo_glyph.lib[GLYPHLIB_PREFIX + 'lastChange'] glyph.lastChange = from_loose_ufo_time(last_change) if ufo_glyph.markColor: glyph.color = _to_glyphs_color(ufo_glyph.markColor) if GLYPHLIB_PREFIX + 'Export' in ufo_glyph.lib: glyph.export = ufo_glyph.lib[GLYPHLIB_PREFIX + 'Export'] if ufo_glyph.name in self.designspace.lib.get('public.skipExportGlyphs', [] ): glyph.export = False ps_names_key = PUBLIC_PREFIX + 'postscriptNames' if (ps_names_key in ufo_glyph.font.lib and ufo_glyph.name in ufo_glyph. font.lib[ps_names_key]): glyph.production = ufo_glyph.font.lib[ps_names_key][ufo_glyph.name] glyphinfo = glyphsLib.glyphdata.get_glyph(ufo_glyph.name) layer = self.to_glyphs_layer(ufo_layer, glyph, master) for key in ['leftMetricsKey', 'rightMetricsKey', 'widthMetricsKey']: for prefix, glyphs_object in (('glyph.', glyph), ('', layer), ( 'layer.', layer)): full_key = GLYPHLIB_PREFIX + prefix + key if full_key in ufo_glyph.lib: value = ufo_glyph.lib[full_key] setattr(glyphs_object, key, value) if SCRIPT_LIB_KEY in ufo_glyph.lib: glyph.script = ufo_glyph.lib[SCRIPT_LIB_KEY] if GLYPHLIB_PREFIX + 'category' in ufo_glyph.lib: category = ufo_glyph.lib[GLYPHLIB_PREFIX + 'category'] glyph.category = category else: category = glyphinfo.category if GLYPHLIB_PREFIX + 'subCategory' in ufo_glyph.lib: sub_category = ufo_glyph.lib[GLYPHLIB_PREFIX + 'subCategory'] glyph.subCategory = sub_category else: sub_category = glyphinfo.subCategory if hasattr(layer, 'foreground'): if ufo_glyph.width: layer.userData[BACKGROUND_WIDTH_KEY] = ufo_glyph.width else: layer.width = ufo_glyph.width if (category == 'Mark' and sub_category == 'Nonspacing' and layer.width == 0): if ORIGINAL_WIDTH_KEY in ufo_glyph.lib: layer.width = ufo_glyph.lib[ORIGINAL_WIDTH_KEY] self.to_glyphs_background_image(ufo_glyph, layer) self.to_glyphs_guidelines(ufo_glyph, layer) self.to_glyphs_annotations(ufo_glyph, layer) self.to_glyphs_hints(ufo_glyph, layer) self.to_glyphs_glyph_user_data(ufo_glyph.font, glyph) self.to_glyphs_layer_user_data(ufo_glyph, layer) self.to_glyphs_smart_component_axes(ufo_glyph, glyph) self.to_glyphs_paths(ufo_glyph, layer) self.to_glyphs_components(ufo_glyph, layer) self.to_glyphs_glyph_anchors(ufo_glyph, layer)
to_glyphs_glyph
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ufo_glyph, ufo_layer, master):\n if ufo_glyph.name in self.font.glyphs:\n glyph = self.font.glyphs[ufo_glyph.name]\n else:\n glyph = self.glyphs_module.GSGlyph(name=ufo_glyph.name)\n self.font.glyphs.append(glyph)\n if ufo_glyph.unicodes:\n glyph.unicodes = ['{:04X}'.format(c) for c in ufo_glyph.unicodes]\n glyph.note = ufo_glyph.note or ''\n if GLYPHLIB_PREFIX + 'lastChange' in ufo_glyph.lib:\n last_change = ufo_glyph.lib[GLYPHLIB_PREFIX + 'lastChange']\n glyph.lastChange = from_loose_ufo_time(last_change)\n if ufo_glyph.markColor:\n glyph.color = _to_glyphs_color(ufo_glyph.markColor)\n if GLYPHLIB_PREFIX + 'Export' in ufo_glyph.lib:\n glyph.export = ufo_glyph.lib[GLYPHLIB_PREFIX + 'Export']\n if ufo_glyph.name in self.designspace.lib.get('public.skipExportGlyphs', []\n ):\n glyph.export = False\n ps_names_key = PUBLIC_PREFIX + 'postscriptNames'\n if (ps_names_key in ufo_glyph.font.lib and ufo_glyph.name in ufo_glyph.\n font.lib[ps_names_key]):\n glyph.production = ufo_glyph.font.lib[ps_names_key][ufo_glyph.name]\n glyphinfo = glyphsLib.glyphdata.get_glyph(ufo_glyph.name)\n layer = self.to_glyphs_layer(ufo_layer, glyph, master)\n for key in ['leftMetricsKey', 'rightMetricsKey', 'widthMetricsKey']:\n for prefix, glyphs_object in (('glyph.', glyph), ('', layer), (\n 'layer.', layer)):\n full_key = GLYPHLIB_PREFIX + prefix + key\n if full_key in ufo_glyph.lib:\n value = ufo_glyph.lib[full_key]\n setattr(glyphs_object, key, value)\n if SCRIPT_LIB_KEY in ufo_glyph.lib:\n glyph.script = ufo_glyph.lib[SCRIPT_LIB_KEY]\n if GLYPHLIB_PREFIX + 'category' in ufo_glyph.lib:\n category = ufo_glyph.lib[GLYPHLIB_PREFIX + 'category']\n glyph.category = category\n else:\n category = glyphinfo.category\n if GLYPHLIB_PREFIX + 'subCategory' in ufo_glyph.lib:\n sub_category = ufo_glyph.lib[GLYPHLIB_PREFIX + 'subCategory']\n glyph.subCategory = sub_category\n else:\n sub_category = glyphinfo.subCategory\n if hasattr(layer, 'foreground'):\n if ufo_glyph.width:\n layer.userData[BACKGROUND_WIDTH_KEY] = ufo_glyph.width\n else:\n layer.width = ufo_glyph.width\n if (category == 'Mark' and sub_category == 'Nonspacing' and layer.width ==\n 0):\n if ORIGINAL_WIDTH_KEY in ufo_glyph.lib:\n layer.width = ufo_glyph.lib[ORIGINAL_WIDTH_KEY]\n self.to_glyphs_background_image(ufo_glyph, layer)\n self.to_glyphs_guidelines(ufo_glyph, layer)\n self.to_glyphs_annotations(ufo_glyph, layer)\n self.to_glyphs_hints(ufo_glyph, layer)\n self.to_glyphs_glyph_user_data(ufo_glyph.font, glyph)\n self.to_glyphs_layer_user_data(ufo_glyph, layer)\n self.to_glyphs_smart_component_axes(ufo_glyph, glyph)\n self.to_glyphs_paths(ufo_glyph, layer)\n self.to_glyphs_components(ufo_glyph, layer)\n self.to_glyphs_glyph_anchors(ufo_glyph, layer)\n", "role": "user" }, { "content": "to_glyphs_glyph", "role": "assistant" } ]
def x(self, glyph, layer): if not layer.hasBackground: return background = layer.background ufo_layer = self.to_ufo_background_layer(glyph) new_glyph = ufo_layer.newGlyph(glyph.name) width = background.userData[BACKGROUND_WIDTH_KEY] if width is not None: new_glyph.width = width self.to_ufo_background_image(new_glyph, background) self.to_ufo_paths(new_glyph, background) self.to_ufo_components(new_glyph, background) self.to_ufo_glyph_anchors(new_glyph, background.anchors) self.to_ufo_guidelines(new_glyph, background)
to_ufo_glyph_background
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, glyph, layer):\n if not layer.hasBackground:\n return\n background = layer.background\n ufo_layer = self.to_ufo_background_layer(glyph)\n new_glyph = ufo_layer.newGlyph(glyph.name)\n width = background.userData[BACKGROUND_WIDTH_KEY]\n if width is not None:\n new_glyph.width = width\n self.to_ufo_background_image(new_glyph, background)\n self.to_ufo_paths(new_glyph, background)\n self.to_ufo_components(new_glyph, background)\n self.to_ufo_glyph_anchors(new_glyph, background.anchors)\n self.to_ufo_guidelines(new_glyph, background)\n", "role": "user" }, { "content": "to_ufo_glyph_background", "role": "assistant" } ]
def x(self): for instance in self.font.instances: if self.minimize_glyphs_diffs or is_instance_active(instance ) and _is_instance_included_in_family(self, instance): _to_designspace_instance(self, instance)
to_designspace_instances
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for instance in self.font.instances:\n if self.minimize_glyphs_diffs or is_instance_active(instance\n ) and _is_instance_included_in_family(self, instance):\n _to_designspace_instance(self, instance)\n", "role": "user" }, { "content": "to_designspace_instances", "role": "assistant" } ]
def x(designspace, include_filenames=None, Font=defcon.Font): from fontTools.designspaceLib import DesignSpaceDocument from os.path import normcase, normpath if hasattr(designspace, '__fspath__'): designspace = designspace.__fspath__() if isinstance(designspace, basestring): designspace = DesignSpaceDocument.fromfile(designspace) basedir = os.path.dirname(designspace.path) instance_ufos = [] if include_filenames is not None: include_filenames = {normcase(normpath(p)) for p in include_filenames} for designspace_instance in designspace.instances: fname = designspace_instance.filename assert fname is not None, 'instance %r missing required filename' % getattr( designspace_instance, 'name', designspace_instance) if include_filenames is not None: fname = normcase(normpath(fname)) if fname not in include_filenames: continue logger.debug('Applying instance data to %s', fname) ufo = Font(normpath(os.path.join(basedir, fname))) set_weight_class(ufo, designspace, designspace_instance) set_width_class(ufo, designspace, designspace_instance) glyphs_instance = InstanceDescriptorAsGSInstance(designspace_instance) to_ufo_custom_params(None, ufo, glyphs_instance) ufo.save() instance_ufos.append(ufo) return instance_ufos
apply_instance_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(designspace, include_filenames=None, Font=defcon.Font):\n from fontTools.designspaceLib import DesignSpaceDocument\n from os.path import normcase, normpath\n if hasattr(designspace, '__fspath__'):\n designspace = designspace.__fspath__()\n if isinstance(designspace, basestring):\n designspace = DesignSpaceDocument.fromfile(designspace)\n basedir = os.path.dirname(designspace.path)\n instance_ufos = []\n if include_filenames is not None:\n include_filenames = {normcase(normpath(p)) for p in include_filenames}\n for designspace_instance in designspace.instances:\n fname = designspace_instance.filename\n assert fname is not None, 'instance %r missing required filename' % getattr(\n designspace_instance, 'name', designspace_instance)\n if include_filenames is not None:\n fname = normcase(normpath(fname))\n if fname not in include_filenames:\n continue\n logger.debug('Applying instance data to %s', fname)\n ufo = Font(normpath(os.path.join(basedir, fname)))\n set_weight_class(ufo, designspace, designspace_instance)\n set_width_class(ufo, designspace, designspace_instance)\n glyphs_instance = InstanceDescriptorAsGSInstance(designspace_instance)\n to_ufo_custom_params(None, ufo, glyphs_instance)\n ufo.save()\n instance_ufos.append(ufo)\n return instance_ufos\n", "role": "user" }, { "content": "apply_instance_data", "role": "assistant" } ]
def x(self, master, ufo): original = master.userData[ORIGINAL_FEATURE_CODE_KEY] if original is not None: ufo.features.text = original return prefixes = [] for prefix in self.font.featurePrefixes: strings = [] if prefix.name != ANONYMOUS_FEATURE_PREFIX_NAME: strings.append('# Prefix: %s\n' % prefix.name) strings.append(autostr(prefix.automatic)) strings.append(prefix.code) prefixes.append(''.join(strings)) prefix_str = '\n\n'.join(prefixes) class_defs = [] for class_ in self.font.classes: prefix = '@' if not class_.name.startswith('@') else '' name = prefix + class_.name class_defs.append('{}{} = [ {} ];'.format(autostr(class_.automatic), name, class_.code)) class_str = '\n\n'.join(class_defs) feature_defs = [] for feature in self.font.features: code = feature.code lines = ['feature %s {' % feature.name] if feature.notes: lines.append('# notes:') lines.extend('# ' + line for line in feature.notes.splitlines()) if feature.automatic: lines.append('# automatic') if feature.disabled: lines.append('# disabled') lines.extend('#' + line for line in code.splitlines()) else: lines.append(code) lines.append('} %s;' % feature.name) feature_defs.append('\n'.join(lines)) fea_str = '\n\n'.join(feature_defs) gdef_str = None if self.generate_GDEF: if re.search('^\\s*table\\s+GDEF\\s+{', prefix_str, flags=re.MULTILINE ): raise ValueError( 'The features already contain a `table GDEF {...}` statement. Either delete it or set generate_GDEF to False.' ) gdef_str = _build_gdef(ufo, self._designspace.lib.get( 'public.skipExportGlyphs')) full_text = '\n\n'.join(filter(None, [class_str, prefix_str, fea_str, gdef_str])) + '\n' ufo.features.text = full_text if full_text.strip() else ''
to_ufo_features
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, master, ufo):\n original = master.userData[ORIGINAL_FEATURE_CODE_KEY]\n if original is not None:\n ufo.features.text = original\n return\n prefixes = []\n for prefix in self.font.featurePrefixes:\n strings = []\n if prefix.name != ANONYMOUS_FEATURE_PREFIX_NAME:\n strings.append('# Prefix: %s\\n' % prefix.name)\n strings.append(autostr(prefix.automatic))\n strings.append(prefix.code)\n prefixes.append(''.join(strings))\n prefix_str = '\\n\\n'.join(prefixes)\n class_defs = []\n for class_ in self.font.classes:\n prefix = '@' if not class_.name.startswith('@') else ''\n name = prefix + class_.name\n class_defs.append('{}{} = [ {} ];'.format(autostr(class_.automatic),\n name, class_.code))\n class_str = '\\n\\n'.join(class_defs)\n feature_defs = []\n for feature in self.font.features:\n code = feature.code\n lines = ['feature %s {' % feature.name]\n if feature.notes:\n lines.append('# notes:')\n lines.extend('# ' + line for line in feature.notes.splitlines())\n if feature.automatic:\n lines.append('# automatic')\n if feature.disabled:\n lines.append('# disabled')\n lines.extend('#' + line for line in code.splitlines())\n else:\n lines.append(code)\n lines.append('} %s;' % feature.name)\n feature_defs.append('\\n'.join(lines))\n fea_str = '\\n\\n'.join(feature_defs)\n gdef_str = None\n if self.generate_GDEF:\n if re.search('^\\\\s*table\\\\s+GDEF\\\\s+{', prefix_str, flags=re.MULTILINE\n ):\n raise ValueError(\n 'The features already contain a `table GDEF {...}` statement. Either delete it or set generate_GDEF to False.'\n )\n gdef_str = _build_gdef(ufo, self._designspace.lib.get(\n 'public.skipExportGlyphs'))\n full_text = '\\n\\n'.join(filter(None, [class_str, prefix_str, fea_str,\n gdef_str])) + '\\n'\n ufo.features.text = full_text if full_text.strip() else ''\n", "role": "user" }, { "content": "to_ufo_features", "role": "assistant" } ]
def x(ufo, skipExportGlyphs=None): from glyphsLib import glyphdata bases, ligatures, marks, carets = set(), set(), set(), {} category_key = GLYPHLIB_PREFIX + 'category' subCategory_key = GLYPHLIB_PREFIX + 'subCategory' for glyph in ufo: if skipExportGlyphs is not None: if glyph.name in skipExportGlyphs: continue has_attaching_anchor = False for anchor in glyph.anchors: name = anchor.name if name and not name.startswith('_'): has_attaching_anchor = True if name and name.startswith('caret_') and 'x' in anchor: carets.setdefault(glyph.name, []).append(round(anchor['x'])) glyphinfo = glyphdata.get_glyph(glyph.name) category = glyph.lib.get(category_key) or glyphinfo.category subCategory = glyph.lib.get(subCategory_key) or glyphinfo.subCategory if subCategory == 'Ligature' and has_attaching_anchor: ligatures.add(glyph.name) elif category == 'Mark' and (subCategory == 'Nonspacing' or subCategory == 'Spacing Combining'): marks.add(glyph.name) elif has_attaching_anchor: bases.add(glyph.name) if not any((bases, ligatures, marks, carets)): return None def x(g): return '[%s]' % ' '.join(sorted(g, key=ufo.glyphOrder.index) ) if g else '' lines = ['table GDEF {', ' # automatic', ' GlyphClassDef', ' %s, # Base' % fmt(bases), ' %s, # Liga' % fmt(ligatures), ' %s, # Mark' % fmt(marks), ' ;'] for glyph, caretPos in sorted(carets.items()): lines.append(' LigatureCaretByPos %s %s;' % (glyph, ' '.join( unicode(p) for p in sorted(caretPos)))) lines.append('} GDEF;') return '\n'.join(lines)
build_gdef
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ufo, skipExportGlyphs=None):\n from glyphsLib import glyphdata\n bases, ligatures, marks, carets = set(), set(), set(), {}\n category_key = GLYPHLIB_PREFIX + 'category'\n subCategory_key = GLYPHLIB_PREFIX + 'subCategory'\n for glyph in ufo:\n if skipExportGlyphs is not None:\n if glyph.name in skipExportGlyphs:\n continue\n has_attaching_anchor = False\n for anchor in glyph.anchors:\n name = anchor.name\n if name and not name.startswith('_'):\n has_attaching_anchor = True\n if name and name.startswith('caret_') and 'x' in anchor:\n carets.setdefault(glyph.name, []).append(round(anchor['x']))\n glyphinfo = glyphdata.get_glyph(glyph.name)\n category = glyph.lib.get(category_key) or glyphinfo.category\n subCategory = glyph.lib.get(subCategory_key) or glyphinfo.subCategory\n if subCategory == 'Ligature' and has_attaching_anchor:\n ligatures.add(glyph.name)\n elif category == 'Mark' and (subCategory == 'Nonspacing' or \n subCategory == 'Spacing Combining'):\n marks.add(glyph.name)\n elif has_attaching_anchor:\n bases.add(glyph.name)\n if not any((bases, ligatures, marks, carets)):\n return None\n\n def x(g):\n return '[%s]' % ' '.join(sorted(g, key=ufo.glyphOrder.index)\n ) if g else ''\n lines = ['table GDEF {', ' # automatic', ' GlyphClassDef', \n ' %s, # Base' % fmt(bases), ' %s, # Liga' % fmt(ligatures), \n ' %s, # Mark' % fmt(marks), ' ;']\n for glyph, caretPos in sorted(carets.items()):\n lines.append(' LigatureCaretByPos %s %s;' % (glyph, ' '.join(\n unicode(p) for p in sorted(caretPos))))\n lines.append('} GDEF;')\n return '\\n'.join(lines)\n", "role": "user" }, { "content": "build_gdef", "role": "assistant" } ]
def x(self, statements, comment_re): res = [] match = None for st in statements: if match or not isinstance(st, ast.Comment): res.append(st) continue match = comment_re.match(st.text) if not match: res.append(st) return match, res
pop_comment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, statements, comment_re):\n res = []\n match = None\n for st in statements:\n if match or not isinstance(st, ast.Comment):\n res.append(st)\n continue\n match = comment_re.match(st.text)\n if not match:\n res.append(st)\n return match, res\n", "role": "user" }, { "content": "pop_comment", "role": "assistant" } ]
def x(self, statements, header_re): res = [] comments = [] match = None st_iter = iter(statements) for st in st_iter: if isinstance(st, ast.Comment): match = header_re.match(st.text) if match: break else: res.append(st) else: res.append(st) for st in st_iter: if isinstance(st, ast.Comment): comments.append(st) else: res.append(st) break res.extend(list(st_iter)) return match, dedent(''.join(c.text[1:] + '\n' for c in comments)), res
pop_comment_block
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, statements, header_re):\n res = []\n comments = []\n match = None\n st_iter = iter(statements)\n for st in st_iter:\n if isinstance(st, ast.Comment):\n match = header_re.match(st.text)\n if match:\n break\n else:\n res.append(st)\n else:\n res.append(st)\n for st in st_iter:\n if isinstance(st, ast.Comment):\n comments.append(st)\n else:\n res.append(st)\n break\n res.extend(list(st_iter))\n return match, dedent(''.join(c.text[1:] + '\\n' for c in comments)), res\n", "role": "user" }, { "content": "pop_comment_block", "role": "assistant" } ]
def x(self, plugin, schema): try: return plugin.openapi.refs[schema] except KeyError: plugin.spec.definition(schema.__name__, schema=schema) return schema.__name__
get_marshmallow_schema_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, plugin, schema):\n try:\n return plugin.openapi.refs[schema]\n except KeyError:\n plugin.spec.definition(schema.__name__, schema=schema)\n return schema.__name__\n", "role": "user" }, { "content": "get_marshmallow_schema_name", "role": "assistant" } ]
def x(self, ufo_glyph, layer): pen = ufo_glyph.getPointPen() for index, component in enumerate(layer.components): pen.addComponent(component.name, component.transform) if component.anchor: if COMPONENT_INFO_KEY not in ufo_glyph.lib: ufo_glyph.lib[COMPONENT_INFO_KEY] = [] ufo_glyph.lib[COMPONENT_INFO_KEY].append({'name': component. name, 'index': index, 'anchor': component.anchor}) for key in ['alignment', 'locked', 'smartComponentValues']: values = [getattr(c, key) for c in layer.components] if any(values): ufo_glyph.lib[_lib_key(key)] = values
to_ufo_components
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ufo_glyph, layer):\n pen = ufo_glyph.getPointPen()\n for index, component in enumerate(layer.components):\n pen.addComponent(component.name, component.transform)\n if component.anchor:\n if COMPONENT_INFO_KEY not in ufo_glyph.lib:\n ufo_glyph.lib[COMPONENT_INFO_KEY] = []\n ufo_glyph.lib[COMPONENT_INFO_KEY].append({'name': component.\n name, 'index': index, 'anchor': component.anchor})\n for key in ['alignment', 'locked', 'smartComponentValues']:\n values = [getattr(c, key) for c in layer.components]\n if any(values):\n ufo_glyph.lib[_lib_key(key)] = values\n", "role": "user" }, { "content": "to_ufo_components", "role": "assistant" } ]
def x(self): args = flask.request.args data_raw = {} for field_name, field in self.args_schema.fields.items(): alternate_field_name = field.load_from if MA2 else field.data_key if alternate_field_name and alternate_field_name in args: field_name = alternate_field_name elif field_name not in args: continue value = args.getlist(field_name) if not self.is_list_field(field) and len(value) == 1: value = value[0] data_raw[field_name] = value return self.deserialize_args(data_raw)
request_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n args = flask.request.args\n data_raw = {}\n for field_name, field in self.args_schema.fields.items():\n alternate_field_name = field.load_from if MA2 else field.data_key\n if alternate_field_name and alternate_field_name in args:\n field_name = alternate_field_name\n elif field_name not in args:\n continue\n value = args.getlist(field_name)\n if not self.is_list_field(field) and len(value) == 1:\n value = value[0]\n data_raw[field_name] = value\n return self.deserialize_args(data_raw)\n", "role": "user" }, { "content": "request_args", "role": "assistant" } ]
def x(self): query = self.query_raw query = self.authorization.filter_query(query, self) query = query.options(*itertools.chain(self.base_query_options, self. query_options)) return query
query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n query = self.query_raw\n query = self.authorization.filter_query(query, self)\n query = query.options(*itertools.chain(self.base_query_options, self.\n query_options))\n return query\n", "role": "user" }, { "content": "query", "role": "assistant" } ]
def x(self): if not hasattr(self.serializer, 'get_query_options'): return () return self.serializer.get_query_options(Load(self.model))
query_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not hasattr(self.serializer, 'get_query_options'):\n return ()\n return self.serializer.get_query_options(Load(self.model))\n", "role": "user" }, { "content": "query_options", "role": "assistant" } ]
def x(self, ufo_glyph, layer): pen = ufo_glyph.getPointPen() for path in layer.paths: nodes = list(path.nodes) for node in nodes: self.to_ufo_node_user_data(ufo_glyph, node) pen.beginPath() if not nodes: pen.endPath() continue if not path.closed: node = nodes.pop(0) assert node.type == 'line', 'Open path starts with off-curve points' pen.addPoint(tuple(node.position), segmentType='move') else: nodes.insert(0, nodes.pop()) for node in nodes: node_type = _to_ufo_node_type(node.type) pen.addPoint(tuple(node.position), segmentType=node_type, smooth=node.smooth) pen.endPath()
to_ufo_paths
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ufo_glyph, layer):\n pen = ufo_glyph.getPointPen()\n for path in layer.paths:\n nodes = list(path.nodes)\n for node in nodes:\n self.to_ufo_node_user_data(ufo_glyph, node)\n pen.beginPath()\n if not nodes:\n pen.endPath()\n continue\n if not path.closed:\n node = nodes.pop(0)\n assert node.type == 'line', 'Open path starts with off-curve points'\n pen.addPoint(tuple(node.position), segmentType='move')\n else:\n nodes.insert(0, nodes.pop())\n for node in nodes:\n node_type = _to_ufo_node_type(node.type)\n pen.addPoint(tuple(node.position), segmentType=node_type,\n smooth=node.smooth)\n pen.endPath()\n", "role": "user" }, { "content": "to_ufo_paths", "role": "assistant" } ]
def x(func): @property @functools.wraps(func) def x(self): cached_value = context.get_for_view(self, func.__name__, UNDEFINED) if cached_value is not UNDEFINED: return cached_value value = func(self) context.set_for_view(self, func.__name__, value) return value return wrapped
request_cached_property
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n\n @property\n @functools.wraps(func)\n def x(self):\n cached_value = context.get_for_view(self, func.__name__, UNDEFINED)\n if cached_value is not UNDEFINED:\n return cached_value\n value = func(self)\n context.set_for_view(self, func.__name__, value)\n return value\n return wrapped\n", "role": "user" }, { "content": "request_cached_property", "role": "assistant" } ]
def x(ufo): if ufo.path: return os.path.basename(ufo.path) return ufo.info.styleName
ufo_logging_ref
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ufo):\n if ufo.path:\n return os.path.basename(ufo.path)\n return ufo.info.styleName\n", "role": "user" }, { "content": "ufo_logging_ref", "role": "assistant" } ]
def x(src=None): if src is None: return None string = src.replace('"', '') m = UTC_OFFSET_RE.match(string) if m: sign = 1 if m.group('sign') == '+' else -1 tz_hours = sign * int(m.group('hours')) tz_minutes = sign * int(m.group('minutes')) offset = datetime.timedelta(hours=tz_hours, minutes=tz_minutes) string = string[:-6] else: offset = datetime.timedelta(0) if 'AM' in string or 'PM' in string: datetime_obj = datetime.datetime.strptime(string, '%Y-%m-%d %I:%M:%S %p') else: datetime_obj = datetime.datetime.strptime(string, '%Y-%m-%d %H:%M:%S') return datetime_obj + offset
parse_datetime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(src=None):\n if src is None:\n return None\n string = src.replace('\"', '')\n m = UTC_OFFSET_RE.match(string)\n if m:\n sign = 1 if m.group('sign') == '+' else -1\n tz_hours = sign * int(m.group('hours'))\n tz_minutes = sign * int(m.group('minutes'))\n offset = datetime.timedelta(hours=tz_hours, minutes=tz_minutes)\n string = string[:-6]\n else:\n offset = datetime.timedelta(0)\n if 'AM' in string or 'PM' in string:\n datetime_obj = datetime.datetime.strptime(string,\n '%Y-%m-%d %I:%M:%S %p')\n else:\n datetime_obj = datetime.datetime.strptime(string, '%Y-%m-%d %H:%M:%S')\n return datetime_obj + offset\n", "role": "user" }, { "content": "parse_datetime", "role": "assistant" } ]
def x(src=None): if src is None: return None if src[0] == '(': rgba = tuple(int(v) for v in src[1:-1].split(',') if v) if not (len(rgba) == 4 and all(0 <= v < 256 for v in rgba)): raise ValueError( 'Broken color tuple: {}. Must have four values from 0 to 255.' .format(src)) return rgba return int(src)
parse_color
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(src=None):\n if src is None:\n return None\n if src[0] == '(':\n rgba = tuple(int(v) for v in src[1:-1].split(',') if v)\n if not (len(rgba) == 4 and all(0 <= v < 256 for v in rgba)):\n raise ValueError(\n 'Broken color tuple: {}. Must have four values from 0 to 255.'\n .format(src))\n return rgba\n return int(src)\n", "role": "user" }, { "content": "parse_color", "role": "assistant" } ]
def x(obj, fp): writer = Writer(fp) logger.info('Writing .glyphs file') writer.write(obj)
dump
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, fp):\n writer = Writer(fp)\n logger.info('Writing .glyphs file')\n writer.write(obj)\n", "role": "user" }, { "content": "dump", "role": "assistant" } ]
def x(s): p = Parser(current_type=glyphsLib.classes.GSFont) logger.info('Parsing .glyphs file') data = p.parse(s) return data
loads
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n p = Parser(current_type=glyphsLib.classes.GSFont)\n logger.info('Parsing .glyphs file')\n data = p.parse(s)\n return data\n", "role": "user" }, { "content": "loads", "role": "assistant" } ]
def x(args=None): for arg in args: glyphsLib.dump(load(open(arg, 'r', encoding='utf-8')), sys.stdout)
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 for arg in args:\n glyphsLib.dump(load(open(arg, 'r', encoding='utf-8')), sys.stdout)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(self, text): text = tounicode(text, encoding='utf-8') result, i = self._parse(text, 0) if text[i:].strip(): self._fail('Unexpected trailing content', text, i) return result
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text):\n text = tounicode(text, encoding='utf-8')\n result, i = self._parse(text, 0)\n if text[i:].strip():\n self._fail('Unexpected trailing content', text, i)\n return result\n", "role": "user" }, { "content": "parse", "role": "assistant" } ]
def x(self, res, text): text = tounicode(text, encoding='utf-8') m = self.start_dict_re.match(text, 0) if m: i = self._parse_dict_into_object(res, text, 1) else: self._fail('not correct file format', text, 0) if text[i:].strip(): self._fail('Unexpected trailing content', text, i) return i
parse_into_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, res, text):\n text = tounicode(text, encoding='utf-8')\n m = self.start_dict_re.match(text, 0)\n if m:\n i = self._parse_dict_into_object(res, text, 1)\n else:\n self._fail('not correct file format', text, 0)\n if text[i:].strip():\n self._fail('Unexpected trailing content', text, i)\n return i\n", "role": "user" }, { "content": "parse_into_object", "role": "assistant" } ]
def x(self, text, i): m = self.start_dict_re.match(text, i) if m: parsed = m.group(0) i += len(parsed) return self._parse_dict(text, i) m = self.start_list_re.match(text, i) if m: parsed = m.group(0) i += len(parsed) return self._parse_list(text, i) m = self.value_re.match(text, i) if m: parsed = m.group(0) i += len(parsed) if hasattr(self.current_type, 'read'): reader = self.current_type() value = reader.read(m.group(1)) return value, i value = self._trim_value(m.group(1)) if self.current_type in (None, dict, OrderedDict): self.current_type = self._guess_current_type(parsed, value) if self.current_type == bool: value = bool(int(value)) return value, i value = self.current_type(value) return value, i m = self.hex_re.match(text, i) if m: from glyphsLib.types import BinaryData parsed, value = m.group(0), m.group(1) decoded = BinaryData.fromHex(value) i += len(parsed) return decoded, i else: self._fail('Unexpected content', text, i)
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text, i):\n m = self.start_dict_re.match(text, i)\n if m:\n parsed = m.group(0)\n i += len(parsed)\n return self._parse_dict(text, i)\n m = self.start_list_re.match(text, i)\n if m:\n parsed = m.group(0)\n i += len(parsed)\n return self._parse_list(text, i)\n m = self.value_re.match(text, i)\n if m:\n parsed = m.group(0)\n i += len(parsed)\n if hasattr(self.current_type, 'read'):\n reader = self.current_type()\n value = reader.read(m.group(1))\n return value, i\n value = self._trim_value(m.group(1))\n if self.current_type in (None, dict, OrderedDict):\n self.current_type = self._guess_current_type(parsed, value)\n if self.current_type == bool:\n value = bool(int(value))\n return value, i\n value = self.current_type(value)\n return value, i\n m = self.hex_re.match(text, i)\n if m:\n from glyphsLib.types import BinaryData\n parsed, value = m.group(0), m.group(1)\n decoded = BinaryData.fromHex(value)\n i += len(parsed)\n return decoded, i\n else:\n self._fail('Unexpected content', text, i)\n", "role": "user" }, { "content": "parse", "role": "assistant" } ]
def x(self, text, i): old_current_type = self.current_type new_type = self.current_type if new_type is None: new_type = dict elif type(new_type) == list: new_type = new_type[0] res = new_type() i = self._parse_dict_into_object(res, text, i) self.current_type = old_current_type return res, i
parse_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text, i):\n old_current_type = self.current_type\n new_type = self.current_type\n if new_type is None:\n new_type = dict\n elif type(new_type) == list:\n new_type = new_type[0]\n res = new_type()\n i = self._parse_dict_into_object(res, text, i)\n self.current_type = old_current_type\n return res, i\n", "role": "user" }, { "content": "parse_dict", "role": "assistant" } ]
def x(self, text, i): res = [] end_match = self.end_list_re.match(text, i) old_current_type = self.current_type while not end_match: list_item, i = self._parse(text, i) res.append(list_item) end_match = self.end_list_re.match(text, i) if not end_match: m = self.list_delim_re.match(text, i) if not m: self._fail('Missing delimiter in list before content', text, i) parsed = m.group(0) i += len(parsed) self.current_type = old_current_type parsed = end_match.group(0) i += len(parsed) return res, i
parse_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text, i):\n res = []\n end_match = self.end_list_re.match(text, i)\n old_current_type = self.current_type\n while not end_match:\n list_item, i = self._parse(text, i)\n res.append(list_item)\n end_match = self.end_list_re.match(text, i)\n if not end_match:\n m = self.list_delim_re.match(text, i)\n if not m:\n self._fail('Missing delimiter in list before content', text, i)\n parsed = m.group(0)\n i += len(parsed)\n self.current_type = old_current_type\n parsed = end_match.group(0)\n i += len(parsed)\n return res, i\n", "role": "user" }, { "content": "parse_list", "role": "assistant" } ]
def x(self, value): if value[0] == '"': assert value[-1] == '"' value = value[1:-1].replace('\\"', '"').replace('\\\\', '\\') return Parser._unescape_re.sub(Parser._unescape_fn, value) return value
trim_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if value[0] == '\"':\n assert value[-1] == '\"'\n value = value[1:-1].replace('\\\\\"', '\"').replace('\\\\\\\\', '\\\\')\n return Parser._unescape_re.sub(Parser._unescape_fn, value)\n return value\n", "role": "user" }, { "content": "trim_value", "role": "assistant" } ]
def x(self, message, text, i): raise ValueError('{}:\n{}'.format(message, text[i:i + 79]))
fail
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message, text, i):\n raise ValueError('{}:\\n{}'.format(message, text[i:i + 79]))\n", "role": "user" }, { "content": "fail", "role": "assistant" } ]
def x(family_name, style_name, is_bold=False, is_italic=False, linked_style =None): styleMapStyleName = ' '.join(s for s in ('bold' if is_bold else '', 'italic' if is_italic else '') if s) or 'regular' if not linked_style or linked_style == 'Regular': linked_style = _get_linked_style(style_name, is_bold, is_italic) if linked_style: styleMapFamilyName = (family_name or '') + ' ' + linked_style else: styleMapFamilyName = family_name return styleMapFamilyName, styleMapStyleName
build_stylemap_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(family_name, style_name, is_bold=False, is_italic=False, linked_style\n =None):\n styleMapStyleName = ' '.join(s for s in ('bold' if is_bold else '', \n 'italic' if is_italic else '') if s) or 'regular'\n if not linked_style or linked_style == 'Regular':\n linked_style = _get_linked_style(style_name, is_bold, is_italic)\n if linked_style:\n styleMapFamilyName = (family_name or '') + ' ' + linked_style\n else:\n styleMapFamilyName = family_name\n return styleMapFamilyName, styleMapStyleName\n", "role": "user" }, { "content": "build_stylemap_names", "role": "assistant" } ]
def x(self, ufo, master): alignment_zones = master.alignmentZones blue_values = [] other_blues = [] for zone in sorted(alignment_zones): pos = zone.position size = zone.size val_list = blue_values if pos == 0 or size >= 0 else other_blues val_list.extend(sorted((pos, pos + size))) ufo.info.postscriptBlueValues = blue_values ufo.info.postscriptOtherBlues = other_blues
to_ufo_blue_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ufo, master):\n alignment_zones = master.alignmentZones\n blue_values = []\n other_blues = []\n for zone in sorted(alignment_zones):\n pos = zone.position\n size = zone.size\n val_list = blue_values if pos == 0 or size >= 0 else other_blues\n val_list.extend(sorted((pos, pos + size)))\n ufo.info.postscriptBlueValues = blue_values\n ufo.info.postscriptOtherBlues = other_blues\n", "role": "user" }, { "content": "to_ufo_blue_values", "role": "assistant" } ]
def x(self, ufo, master): zones = [] blue_values = _pairs(ufo.info.postscriptBlueValues) other_blues = _pairs(ufo.info.postscriptOtherBlues) for y1, y2 in blue_values: size = y2 - y1 if y2 == 0: pos = 0 size = -size else: pos = y1 zones.append(self.glyphs_module.GSAlignmentZone(pos, size)) for y1, y2 in other_blues: size = y1 - y2 pos = y2 zones.append(self.glyphs_module.GSAlignmentZone(pos, size)) master.alignmentZones = sorted(zones, key=lambda zone: -zone.position)
to_glyphs_blue_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ufo, master):\n zones = []\n blue_values = _pairs(ufo.info.postscriptBlueValues)\n other_blues = _pairs(ufo.info.postscriptOtherBlues)\n for y1, y2 in blue_values:\n size = y2 - y1\n if y2 == 0:\n pos = 0\n size = -size\n else:\n pos = y1\n zones.append(self.glyphs_module.GSAlignmentZone(pos, size))\n for y1, y2 in other_blues:\n size = y1 - y2\n pos = y2\n zones.append(self.glyphs_module.GSAlignmentZone(pos, size))\n master.alignmentZones = sorted(zones, key=lambda zone: -zone.position)\n", "role": "user" }, { "content": "to_glyphs_blue_values", "role": "assistant" } ]
def x(filter_str, is_pre=False): elements = filter_str.split(';') if elements[0] == '': logger.error( 'Failed to parse glyphs filter, expecting a filter name: %s' , filter_str) return None result = {'name': elements[0]} for idx, elem in enumerate(elements[1:]): if not elem: continue if ':' in elem: key, value = elem.split(':', 1) if key.lower() in ['include', 'exclude']: if idx != len(elements[1:]) - 1: logger.error( '{} can only present as the last argument in the filter. {} is ignored.' .format(key, elem)) continue result[key.lower()] = re.split('[ ,]+', value) else: if 'kwargs' not in result: result['kwargs'] = {} result['kwargs'][key] = cast_to_number_or_bool(value) else: if 'args' not in result: result['args'] = [] result['args'].append(cast_to_number_or_bool(elem)) if is_pre: result['pre'] = True return result
parse_glyphs_filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filter_str, is_pre=False):\n elements = filter_str.split(';')\n if elements[0] == '':\n logger.error(\n 'Failed to parse glyphs filter, expecting a filter name: %s'\n , filter_str)\n return None\n result = {'name': elements[0]}\n for idx, elem in enumerate(elements[1:]):\n if not elem:\n continue\n if ':' in elem:\n key, value = elem.split(':', 1)\n if key.lower() in ['include', 'exclude']:\n if idx != len(elements[1:]) - 1:\n logger.error(\n '{} can only present as the last argument in the filter. {} is ignored.'\n .format(key, elem))\n continue\n result[key.lower()] = re.split('[ ,]+', value)\n else:\n if 'kwargs' not in result:\n result['kwargs'] = {}\n result['kwargs'][key] = cast_to_number_or_bool(value)\n else:\n if 'args' not in result:\n result['args'] = []\n result['args'].append(cast_to_number_or_bool(elem))\n if is_pre:\n result['pre'] = True\n return result\n", "role": "user" }, { "content": "parse_glyphs_filter", "role": "assistant" } ]
def x(out_dir, family_name, style_name): return os.path.join(out_dir, '%s-%s.ufo' % ((family_name or '').replace (' ', ''), (style_name or '').replace(' ', '')))
build_ufo_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(out_dir, family_name, style_name):\n return os.path.join(out_dir, '%s-%s.ufo' % ((family_name or '').replace\n (' ', ''), (style_name or '').replace(' ', '')))\n", "role": "user" }, { "content": "build_ufo_path", "role": "assistant" } ]
def x(ufo, out_dir): out_path = build_ufo_path(out_dir, ufo.info.familyName, ufo.info.styleName) logger.info('Writing %s' % out_path) clean_ufo(out_path) ufo.save(out_path)
write_ufo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ufo, out_dir):\n out_path = build_ufo_path(out_dir, ufo.info.familyName, ufo.info.styleName)\n logger.info('Writing %s' % out_path)\n clean_ufo(out_path)\n ufo.save(out_path)\n", "role": "user" }, { "content": "write_ufo", "role": "assistant" } ]
def x(path): if path.endswith('.ufo') and os.path.exists(path): shutil.rmtree(path)
clean_ufo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n if path.endswith('.ufo') and os.path.exists(path):\n shutil.rmtree(path)\n", "role": "user" }, { "content": "clean_ufo", "role": "assistant" } ]
def x(ufo_font): if 'public.background' in ufo_font.layers: background = ufo_font.layers['public.background'] else: background = ufo_font.newLayer('public.background') for glyph in ufo_font: if glyph.name not in background: background.newGlyph(glyph.name)
ufo_create_background_layer_for_all_glyphs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ufo_font):\n if 'public.background' in ufo_font.layers:\n background = ufo_font.layers['public.background']\n else:\n background = ufo_font.newLayer('public.background')\n for glyph in ufo_font:\n if glyph.name not in background:\n background.newGlyph(glyph.name)\n", "role": "user" }, { "content": "ufo_create_background_layer_for_all_glyphs", "role": "assistant" } ]
def x(inputstr): if inputstr.strip().lower() == 'true': return True elif inputstr.strip().lower() == 'false': return False try: return int(inputstr) except ValueError: try: return float(inputstr) except ValueError: return inputstr
cast_to_number_or_bool
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(inputstr):\n if inputstr.strip().lower() == 'true':\n return True\n elif inputstr.strip().lower() == 'false':\n return False\n try:\n return int(inputstr)\n except ValueError:\n try:\n return float(inputstr)\n except ValueError:\n return inputstr\n", "role": "user" }, { "content": "cast_to_number_or_bool", "role": "assistant" } ]
def x(self, ufo_glyph, layer): image = layer.backgroundImage if image is None: return ufo_image = ufo_glyph.image ufo_image.fileName = image.path ufo_image.transformation = image.transform ufo_glyph.lib[CROP_KEY] = list(image.crop) ufo_glyph.lib[LOCKED_KEY] = image.locked ufo_glyph.lib[ALPHA_KEY] = image.alpha
to_ufo_background_image
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ufo_glyph, layer):\n image = layer.backgroundImage\n if image is None:\n return\n ufo_image = ufo_glyph.image\n ufo_image.fileName = image.path\n ufo_image.transformation = image.transform\n ufo_glyph.lib[CROP_KEY] = list(image.crop)\n ufo_glyph.lib[LOCKED_KEY] = image.locked\n ufo_glyph.lib[ALPHA_KEY] = image.alpha\n", "role": "user" }, { "content": "to_ufo_background_image", "role": "assistant" } ]
def x(self, ufo_glyph, layer): ufo_image = ufo_glyph.image if ufo_image.fileName is None: return image = self.glyphs_module.GSBackgroundImage() image.path = ufo_image.fileName image.transform = Transform(*ufo_image.transformation) if CROP_KEY in ufo_glyph.lib: x, y, w, h = ufo_glyph.lib[CROP_KEY] image.crop = Rect(Point(x, y), Size(w, h)) if LOCKED_KEY in ufo_glyph.lib: image.locked = ufo_glyph.lib[LOCKED_KEY] if ALPHA_KEY in ufo_glyph.lib: image.alpha = ufo_glyph.lib[ALPHA_KEY] layer.backgroundImage = image
to_glyphs_background_image
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ufo_glyph, layer):\n ufo_image = ufo_glyph.image\n if ufo_image.fileName is None:\n return\n image = self.glyphs_module.GSBackgroundImage()\n image.path = ufo_image.fileName\n image.transform = Transform(*ufo_image.transformation)\n if CROP_KEY in ufo_glyph.lib:\n x, y, w, h = ufo_glyph.lib[CROP_KEY]\n image.crop = Rect(Point(x, y), Size(w, h))\n if LOCKED_KEY in ufo_glyph.lib:\n image.locked = ufo_glyph.lib[LOCKED_KEY]\n if ALPHA_KEY in ufo_glyph.lib:\n image.alpha = ufo_glyph.lib[ALPHA_KEY]\n layer.backgroundImage = image\n", "role": "user" }, { "content": "to_glyphs_background_image", "role": "assistant" } ]
def x(self, ufo_obj, glyphs_obj): guidelines = glyphs_obj.guides if not guidelines: return new_guidelines = [] for guideline in guidelines: new_guideline = {} x, y = guideline.position angle = guideline.angle % 360 if _is_vertical(x, y, angle): new_guideline['x'] = x elif _is_horizontal(x, y, angle): new_guideline['y'] = y else: new_guideline['x'] = x new_guideline['y'] = y new_guideline['angle'] = angle name = guideline.name if name is not None: m = IDENTIFIER_NAME_RE.match(name) if m: new_guideline['identifier'] = m.group(2) name = name[:-len(m.group(1))] m = COLOR_NAME_RE.match(name) if m: new_guideline['color'] = m.group(2) name = name[:-len(m.group(1))] if guideline.locked: name = (name or '') + LOCKED_NAME_SUFFIX if name: new_guideline['name'] = name new_guidelines.append(new_guideline) ufo_obj.guidelines = new_guidelines
to_ufo_guidelines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ufo_obj, glyphs_obj):\n guidelines = glyphs_obj.guides\n if not guidelines:\n return\n new_guidelines = []\n for guideline in guidelines:\n new_guideline = {}\n x, y = guideline.position\n angle = guideline.angle % 360\n if _is_vertical(x, y, angle):\n new_guideline['x'] = x\n elif _is_horizontal(x, y, angle):\n new_guideline['y'] = y\n else:\n new_guideline['x'] = x\n new_guideline['y'] = y\n new_guideline['angle'] = angle\n name = guideline.name\n if name is not None:\n m = IDENTIFIER_NAME_RE.match(name)\n if m:\n new_guideline['identifier'] = m.group(2)\n name = name[:-len(m.group(1))]\n m = COLOR_NAME_RE.match(name)\n if m:\n new_guideline['color'] = m.group(2)\n name = name[:-len(m.group(1))]\n if guideline.locked:\n name = (name or '') + LOCKED_NAME_SUFFIX\n if name:\n new_guideline['name'] = name\n new_guidelines.append(new_guideline)\n ufo_obj.guidelines = new_guidelines\n", "role": "user" }, { "content": "to_ufo_guidelines", "role": "assistant" } ]
def x(self, ufo_obj, glyphs_obj): if not ufo_obj.guidelines: return for guideline in ufo_obj.guidelines: new_guideline = self.glyphs_module.GSGuideLine() name = guideline.name if name is not None and name.endswith(LOCKED_NAME_SUFFIX): name = name[:-len(LOCKED_NAME_SUFFIX)] new_guideline.locked = True if guideline.color: name = (name or '') + COLOR_NAME_SUFFIX % str(guideline.color) if guideline.identifier: name = (name or '') + IDENTIFIER_NAME_SUFFIX % guideline.identifier new_guideline.name = name new_guideline.position = Point(guideline.x or 0, guideline.y or 0) if guideline.angle is not None: new_guideline.angle = guideline.angle % 360 elif _is_vertical(guideline.x, guideline.y, None): new_guideline.angle = 90 glyphs_obj.guides.append(new_guideline)
to_glyphs_guidelines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ufo_obj, glyphs_obj):\n if not ufo_obj.guidelines:\n return\n for guideline in ufo_obj.guidelines:\n new_guideline = self.glyphs_module.GSGuideLine()\n name = guideline.name\n if name is not None and name.endswith(LOCKED_NAME_SUFFIX):\n name = name[:-len(LOCKED_NAME_SUFFIX)]\n new_guideline.locked = True\n if guideline.color:\n name = (name or '') + COLOR_NAME_SUFFIX % str(guideline.color)\n if guideline.identifier:\n name = (name or '') + IDENTIFIER_NAME_SUFFIX % guideline.identifier\n new_guideline.name = name\n new_guideline.position = Point(guideline.x or 0, guideline.y or 0)\n if guideline.angle is not None:\n new_guideline.angle = guideline.angle % 360\n elif _is_vertical(guideline.x, guideline.y, None):\n new_guideline.angle = 90\n glyphs_obj.guides.append(new_guideline)\n", "role": "user" }, { "content": "to_glyphs_guidelines", "role": "assistant" } ]
def x(self, base_rule, base_view, alternate_view=None, alternate_rule=None, id_rule=None, app=None): if alternate_view: if not alternate_rule: id_rule = id_rule or DEFAULT_ID_RULE alternate_rule = posixpath.join(base_rule, id_rule) else: assert id_rule is None else: assert alternate_rule is None assert id_rule is None app = self._get_app(app) endpoint = self._get_endpoint(base_view, alternate_view) views = app.extensions['resty'].views base_rule_full = '{}{}'.format(self.prefix, base_rule) base_view_func = base_view.as_view(endpoint) if not alternate_view: app.add_url_rule(base_rule_full, view_func=base_view_func) views[base_view] = Resource(base_view, base_rule_full) return alternate_rule_full = '{}{}'.format(self.prefix, alternate_rule) alternate_view_func = alternate_view.as_view(endpoint) @functools.wraps(base_view_func) def x(*args, **kwargs): if flask.request.url_rule.rule == base_rule_full: return base_view_func(*args, **kwargs) else: return alternate_view_func(*args, **kwargs) app.add_url_rule(base_rule_full, view_func=view_func, endpoint=endpoint, methods=base_view.methods) app.add_url_rule(alternate_rule_full, view_func=view_func, endpoint= endpoint, methods=alternate_view.methods) views[base_view] = Resource(base_view, base_rule_full) views[alternate_view] = Resource(alternate_view, alternate_rule_full)
add_resource
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, base_rule, base_view, alternate_view=None, alternate_rule=None,\n id_rule=None, app=None):\n if alternate_view:\n if not alternate_rule:\n id_rule = id_rule or DEFAULT_ID_RULE\n alternate_rule = posixpath.join(base_rule, id_rule)\n else:\n assert id_rule is None\n else:\n assert alternate_rule is None\n assert id_rule is None\n app = self._get_app(app)\n endpoint = self._get_endpoint(base_view, alternate_view)\n views = app.extensions['resty'].views\n base_rule_full = '{}{}'.format(self.prefix, base_rule)\n base_view_func = base_view.as_view(endpoint)\n if not alternate_view:\n app.add_url_rule(base_rule_full, view_func=base_view_func)\n views[base_view] = Resource(base_view, base_rule_full)\n return\n alternate_rule_full = '{}{}'.format(self.prefix, alternate_rule)\n alternate_view_func = alternate_view.as_view(endpoint)\n\n @functools.wraps(base_view_func)\n def x(*args, **kwargs):\n if flask.request.url_rule.rule == base_rule_full:\n return base_view_func(*args, **kwargs)\n else:\n return alternate_view_func(*args, **kwargs)\n app.add_url_rule(base_rule_full, view_func=view_func, endpoint=endpoint,\n methods=base_view.methods)\n app.add_url_rule(alternate_rule_full, view_func=view_func, endpoint=\n endpoint, methods=alternate_view.methods)\n views[base_view] = Resource(base_view, base_rule_full)\n views[alternate_view] = Resource(alternate_view, alternate_rule_full)\n", "role": "user" }, { "content": "add_resource", "role": "assistant" } ]
def x(self, rule, status_code=200, app=None): app = self._get_app(app) @app.route(rule) def x(): return '', status_code
add_ping
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rule, status_code=200, app=None):\n app = self._get_app(app)\n\n @app.route(rule)\n def x():\n return '', status_code\n", "role": "user" }, { "content": "add_ping", "role": "assistant" } ]
def x(self): if self._sources: for source in self._sources.values(): yield source.font return master_layer_ids = {m.id for m in self.font.masters} supplementary_layer_data = [] self.to_ufo_font_attributes(self.family_name) for glyph in self.font.glyphs: for layer in glyph.layers.values(): if layer.associatedMasterId != layer.layerId: supplementary_layer_data.append((glyph, layer)) continue ufo_layer = self.to_ufo_layer(glyph, layer) ufo_glyph = ufo_layer.newGlyph(glyph.name) self.to_ufo_glyph(ufo_glyph, layer, glyph) for glyph, layer in supplementary_layer_data: if (layer.layerId not in master_layer_ids and layer. associatedMasterId not in master_layer_ids): if self.minimize_glyphs_diffs: self.logger.warning( '{}, glyph "{}": Layer "{}" is dangling and will be skipped. Did you copy a glyph from a different font? If so, you should clean up any phantom layers not associated with an actual master.' .format(self.font.familyName, glyph.name, layer.layerId)) continue if not layer.name: if self.minimize_glyphs_diffs: self.logger.warning( '{}, glyph "{}": Contains layer without a name which will be skipped.' .format(self.font.familyName, glyph.name)) continue if ('[' in layer.name and ']' in layer.name and '.background' not in layer.name): self.bracket_layers.append(layer) else: ufo_layer = self.to_ufo_layer(glyph, layer) ufo_glyph = ufo_layer.newGlyph(glyph.name) self.to_ufo_glyph(ufo_glyph, layer, layer.parent) for source in self._sources.values(): ufo = source.font if self.propagate_anchors: self.to_ufo_propagate_font_anchors(ufo) for layer in ufo.layers: self.to_ufo_layer_lib(layer) skip_export_glyphs = self._designspace.lib.get('public.skipExportGlyphs') if skip_export_glyphs is not None: skip_export_glyphs = sorted(set(skip_export_glyphs)) self._designspace.lib['public.skipExportGlyphs'] = skip_export_glyphs for source in self._sources.values(): source.font.lib['public.skipExportGlyphs'] = skip_export_glyphs self.to_ufo_features() self.to_ufo_groups() self.to_ufo_kerning() for source in self._sources.values(): yield source.font
masters
[ { "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._sources:\n for source in self._sources.values():\n yield source.font\n return\n master_layer_ids = {m.id for m in self.font.masters}\n supplementary_layer_data = []\n self.to_ufo_font_attributes(self.family_name)\n for glyph in self.font.glyphs:\n for layer in glyph.layers.values():\n if layer.associatedMasterId != layer.layerId:\n supplementary_layer_data.append((glyph, layer))\n continue\n ufo_layer = self.to_ufo_layer(glyph, layer)\n ufo_glyph = ufo_layer.newGlyph(glyph.name)\n self.to_ufo_glyph(ufo_glyph, layer, glyph)\n for glyph, layer in supplementary_layer_data:\n if (layer.layerId not in master_layer_ids and layer.\n associatedMasterId not in master_layer_ids):\n if self.minimize_glyphs_diffs:\n self.logger.warning(\n '{}, glyph \"{}\": Layer \"{}\" is dangling and will be skipped. Did you copy a glyph from a different font? If so, you should clean up any phantom layers not associated with an actual master.'\n .format(self.font.familyName, glyph.name, layer.layerId))\n continue\n if not layer.name:\n if self.minimize_glyphs_diffs:\n self.logger.warning(\n '{}, glyph \"{}\": Contains layer without a name which will be skipped.'\n .format(self.font.familyName, glyph.name))\n continue\n if ('[' in layer.name and ']' in layer.name and '.background' not in\n layer.name):\n self.bracket_layers.append(layer)\n else:\n ufo_layer = self.to_ufo_layer(glyph, layer)\n ufo_glyph = ufo_layer.newGlyph(glyph.name)\n self.to_ufo_glyph(ufo_glyph, layer, layer.parent)\n for source in self._sources.values():\n ufo = source.font\n if self.propagate_anchors:\n self.to_ufo_propagate_font_anchors(ufo)\n for layer in ufo.layers:\n self.to_ufo_layer_lib(layer)\n skip_export_glyphs = self._designspace.lib.get('public.skipExportGlyphs')\n if skip_export_glyphs is not None:\n skip_export_glyphs = sorted(set(skip_export_glyphs))\n self._designspace.lib['public.skipExportGlyphs'] = skip_export_glyphs\n for source in self._sources.values():\n source.font.lib['public.skipExportGlyphs'] = skip_export_glyphs\n self.to_ufo_features()\n self.to_ufo_groups()\n self.to_ufo_kerning()\n for source in self._sources.values():\n yield source.font\n", "role": "user" }, { "content": "masters", "role": "assistant" } ]
def x(self): if self._designspace_is_complete: return self._designspace self._designspace_is_complete = True list(self.masters) self.to_designspace_axes() self.to_designspace_sources() self.to_designspace_instances() self.to_designspace_family_user_data() if self.bracket_layers: self._apply_bracket_layers() base_family = self.family_name or 'Unnamed' base_style = find_base_style(self.font.masters) if base_style: base_style = '-' + base_style name = (base_family + base_style).replace(' ', '') + '.designspace' self.designspace.filename = name return self._designspace
designspace
[ { "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._designspace_is_complete:\n return self._designspace\n self._designspace_is_complete = True\n list(self.masters)\n self.to_designspace_axes()\n self.to_designspace_sources()\n self.to_designspace_instances()\n self.to_designspace_family_user_data()\n if self.bracket_layers:\n self._apply_bracket_layers()\n base_family = self.family_name or 'Unnamed'\n base_style = find_base_style(self.font.masters)\n if base_style:\n base_style = '-' + base_style\n name = (base_family + base_style).replace(' ', '') + '.designspace'\n self.designspace.filename = name\n return self._designspace\n", "role": "user" }, { "content": "designspace", "role": "assistant" } ]
def x(self): if not self._designspace.axes: raise ValueError( 'Cannot apply bracket layers unless at least one axis is defined.') bracket_axis = self._designspace.axes[0] if bracket_axis.map: axis_scale = [design_location for _, design_location in bracket_axis.map] bracket_axis_min = min(axis_scale) bracket_axis_max = max(axis_scale) else: bracket_axis_min = bracket_axis.minimum bracket_axis_max = bracket_axis.maximum bracket_layer_map = defaultdict(list) glyph_crossovers = defaultdict(set) glyph_sanity_counter = defaultdict(list) for layer in self.bracket_layers: glyph_name = layer.parent.name n = layer.name try: bracket_crossover = int(n[n.index('[') + 1:n.index(']')]) except ValueError: raise ValueError( 'Only bracket layers with one numerical (design space) location (meaning the first axis in the designspace file) are currently supported.' ) if not bracket_axis_min <= bracket_crossover <= bracket_axis_max: raise ValueError( 'Glyph {glyph_name}: Bracket layer {layer_name} must be within the design space bounds of the {bracket_axis_name} axis: minimum {bracket_axis_minimum}, maximum {bracket_axis_maximum}.' .format(glyph_name=glyph_name, layer_name=n, bracket_axis_name=bracket_axis.name, bracket_axis_minimum= bracket_axis_min, bracket_axis_maximum=bracket_axis_max)) bracket_layer_map[bracket_crossover].append(layer) glyph_crossovers[glyph_name].add(bracket_crossover) glyph_sanity_counter[glyph_name, bracket_crossover].append(layer. associatedMasterId) unbalanced_bracket_layers = [] n_masters = len(list(self.masters)) for (glyph_name, _), master_layer_ids in glyph_sanity_counter.items(): if not len(master_layer_ids) == n_masters: unbalanced_bracket_layers.append(glyph_name) if unbalanced_bracket_layers: raise ValueError( "Currently, we only support bracket layers that are present on all masters, i.e. what the Glyphs.app tutorial calls 'Changing All Masters'. There is a/are bracket layer(s) missing for glyph(s) {unbalanced_glyphs}." .format(unbalanced_glyphs=unbalanced_bracket_layers)) rule_bucket = defaultdict(list) for glyph_name, crossovers in sorted(glyph_crossovers.items()): for crossover_min, crossover_max in util.pairwise(sorted(crossovers ) + [bracket_axis_max]): rule_bucket[int(crossover_min), int(crossover_max)].append( glyph_name) for (axis_range_min, axis_range_max), glyph_names in sorted(rule_bucket .items()): rule_name = 'BRACKET.{}.{}'.format(axis_range_min, axis_range_max) glyph_sub_suffix = '.BRACKET.{}'.format(axis_range_min) rule = designspaceLib.RuleDescriptor() rule.name = rule_name rule.conditionSets.append([{'name': bracket_axis.name, 'minimum': axis_range_min, 'maximum': axis_range_max}]) rule.subs.extend([(glyph_name, glyph_name + glyph_sub_suffix) for glyph_name in glyph_names]) self._designspace.addRule(rule) for location, layers in bracket_layer_map.items(): for layer in layers: ufo_font = self._sources[layer.associatedMasterId or layer.layerId ].font.layers.defaultLayer ufo_glyph_name = '{glyph_name}.BRACKET.{location}'.format( glyph_name=layer.parent.name, location=location) ufo_glyph = ufo_font.newGlyph(ufo_glyph_name) self.to_ufo_glyph(ufo_glyph, layer, layer.parent) ufo_glyph.unicodes = [] ufo_glyph.lib[GLYPHLIB_PREFIX + '_originalLayerName'] = layer.name
apply_bracket_layers
[ { "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._designspace.axes:\n raise ValueError(\n 'Cannot apply bracket layers unless at least one axis is defined.')\n bracket_axis = self._designspace.axes[0]\n if bracket_axis.map:\n axis_scale = [design_location for _, design_location in\n bracket_axis.map]\n bracket_axis_min = min(axis_scale)\n bracket_axis_max = max(axis_scale)\n else:\n bracket_axis_min = bracket_axis.minimum\n bracket_axis_max = bracket_axis.maximum\n bracket_layer_map = defaultdict(list)\n glyph_crossovers = defaultdict(set)\n glyph_sanity_counter = defaultdict(list)\n for layer in self.bracket_layers:\n glyph_name = layer.parent.name\n n = layer.name\n try:\n bracket_crossover = int(n[n.index('[') + 1:n.index(']')])\n except ValueError:\n raise ValueError(\n 'Only bracket layers with one numerical (design space) location (meaning the first axis in the designspace file) are currently supported.'\n )\n if not bracket_axis_min <= bracket_crossover <= bracket_axis_max:\n raise ValueError(\n 'Glyph {glyph_name}: Bracket layer {layer_name} must be within the design space bounds of the {bracket_axis_name} axis: minimum {bracket_axis_minimum}, maximum {bracket_axis_maximum}.'\n .format(glyph_name=glyph_name, layer_name=n,\n bracket_axis_name=bracket_axis.name, bracket_axis_minimum=\n bracket_axis_min, bracket_axis_maximum=bracket_axis_max))\n bracket_layer_map[bracket_crossover].append(layer)\n glyph_crossovers[glyph_name].add(bracket_crossover)\n glyph_sanity_counter[glyph_name, bracket_crossover].append(layer.\n associatedMasterId)\n unbalanced_bracket_layers = []\n n_masters = len(list(self.masters))\n for (glyph_name, _), master_layer_ids in glyph_sanity_counter.items():\n if not len(master_layer_ids) == n_masters:\n unbalanced_bracket_layers.append(glyph_name)\n if unbalanced_bracket_layers:\n raise ValueError(\n \"Currently, we only support bracket layers that are present on all masters, i.e. what the Glyphs.app tutorial calls 'Changing All Masters'. There is a/are bracket layer(s) missing for glyph(s) {unbalanced_glyphs}.\"\n .format(unbalanced_glyphs=unbalanced_bracket_layers))\n rule_bucket = defaultdict(list)\n for glyph_name, crossovers in sorted(glyph_crossovers.items()):\n for crossover_min, crossover_max in util.pairwise(sorted(crossovers\n ) + [bracket_axis_max]):\n rule_bucket[int(crossover_min), int(crossover_max)].append(\n glyph_name)\n for (axis_range_min, axis_range_max), glyph_names in sorted(rule_bucket\n .items()):\n rule_name = 'BRACKET.{}.{}'.format(axis_range_min, axis_range_max)\n glyph_sub_suffix = '.BRACKET.{}'.format(axis_range_min)\n rule = designspaceLib.RuleDescriptor()\n rule.name = rule_name\n rule.conditionSets.append([{'name': bracket_axis.name, 'minimum':\n axis_range_min, 'maximum': axis_range_max}])\n rule.subs.extend([(glyph_name, glyph_name + glyph_sub_suffix) for\n glyph_name in glyph_names])\n self._designspace.addRule(rule)\n for location, layers in bracket_layer_map.items():\n for layer in layers:\n ufo_font = self._sources[layer.associatedMasterId or layer.layerId\n ].font.layers.defaultLayer\n ufo_glyph_name = '{glyph_name}.BRACKET.{location}'.format(\n glyph_name=layer.parent.name, location=location)\n ufo_glyph = ufo_font.newGlyph(ufo_glyph_name)\n self.to_ufo_glyph(ufo_glyph, layer, layer.parent)\n ufo_glyph.unicodes = []\n ufo_glyph.lib[GLYPHLIB_PREFIX + '_originalLayerName'] = layer.name\n", "role": "user" }, { "content": "apply_bracket_layers", "role": "assistant" } ]
def x(self): if self._font is not None: return self._font sorted_sources = self.to_glyphs_ordered_masters() self._font = self.glyphs_module.GSFont() self._sources = OrderedDict() for index, source in enumerate(s for s in sorted_sources if not s.layerName ): master = self.glyphs_module.GSFontMaster() if GLYPH_ORDER_KEY in source.font.lib: source.font.lib[GLYPH_ORDER_KEY] = [glyph_name for glyph_name in source.font.lib[GLYPH_ORDER_KEY] if '.BRACKET.' not in glyph_name] self.to_glyphs_font_attributes(source, master, is_initial=index == 0) self.to_glyphs_master_attributes(source, master) self._font.masters.insert(len(self._font.masters), master) self._sources[master.id] = source for bracket_glyph in [g for g in source.font if '.BRACKET.' in g.name]: base_glyph, threshold = bracket_glyph.name.split('.BRACKET.') try: int(threshold) except ValueError: raise ValueError( "Glyph '{}' has malformed bracket layer name. Must be '<glyph name>.BRACKET.<crossover value>'." .format(bracket_glyph)) layer_name = bracket_glyph.lib.get(GLYPHLIB_PREFIX + '_originalLayerName', '[{}]'.format(threshold)) if layer_name not in source.font.layers: ufo_layer = source.font.newLayer(layer_name) else: ufo_layer = source.font.layers[layer_name] bracket_glyph_new = ufo_layer.newGlyph(base_glyph) bracket_glyph_new.copyDataFromGlyph(bracket_glyph) for layer in source.font.layers: if bracket_glyph.name in layer: del layer[bracket_glyph.name] for layer in _sorted_backgrounds_last(source.font.layers): self.to_glyphs_layer_lib(layer) for glyph in layer: self.to_glyphs_glyph(glyph, layer, master) self.to_glyphs_features() self.to_glyphs_groups() self.to_glyphs_kerning() if self.designspace.sources: first_ufo = self.designspace.sources[0].font if GLYPH_ORDER_KEY in first_ufo.lib: glyph_order = first_ufo.lib[GLYPH_ORDER_KEY] lookup = {name: i for i, name in enumerate(glyph_order)} self.font.glyphs = sorted(self.font.glyphs, key=lambda glyph: lookup.get(glyph.name, 1 << 63)) for glyph in self._font.glyphs: self.to_glyphs_layer_order(glyph) self.to_glyphs_family_user_data_from_designspace() self.to_glyphs_axes() self.to_glyphs_sources() self.to_glyphs_instances() return self._font
font
[ { "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._font is not None:\n return self._font\n sorted_sources = self.to_glyphs_ordered_masters()\n self._font = self.glyphs_module.GSFont()\n self._sources = OrderedDict()\n for index, source in enumerate(s for s in sorted_sources if not s.layerName\n ):\n master = self.glyphs_module.GSFontMaster()\n if GLYPH_ORDER_KEY in source.font.lib:\n source.font.lib[GLYPH_ORDER_KEY] = [glyph_name for glyph_name in\n source.font.lib[GLYPH_ORDER_KEY] if '.BRACKET.' not in\n glyph_name]\n self.to_glyphs_font_attributes(source, master, is_initial=index == 0)\n self.to_glyphs_master_attributes(source, master)\n self._font.masters.insert(len(self._font.masters), master)\n self._sources[master.id] = source\n for bracket_glyph in [g for g in source.font if '.BRACKET.' in g.name]:\n base_glyph, threshold = bracket_glyph.name.split('.BRACKET.')\n try:\n int(threshold)\n except ValueError:\n raise ValueError(\n \"Glyph '{}' has malformed bracket layer name. Must be '<glyph name>.BRACKET.<crossover value>'.\"\n .format(bracket_glyph))\n layer_name = bracket_glyph.lib.get(GLYPHLIB_PREFIX +\n '_originalLayerName', '[{}]'.format(threshold))\n if layer_name not in source.font.layers:\n ufo_layer = source.font.newLayer(layer_name)\n else:\n ufo_layer = source.font.layers[layer_name]\n bracket_glyph_new = ufo_layer.newGlyph(base_glyph)\n bracket_glyph_new.copyDataFromGlyph(bracket_glyph)\n for layer in source.font.layers:\n if bracket_glyph.name in layer:\n del layer[bracket_glyph.name]\n for layer in _sorted_backgrounds_last(source.font.layers):\n self.to_glyphs_layer_lib(layer)\n for glyph in layer:\n self.to_glyphs_glyph(glyph, layer, master)\n self.to_glyphs_features()\n self.to_glyphs_groups()\n self.to_glyphs_kerning()\n if self.designspace.sources:\n first_ufo = self.designspace.sources[0].font\n if GLYPH_ORDER_KEY in first_ufo.lib:\n glyph_order = first_ufo.lib[GLYPH_ORDER_KEY]\n lookup = {name: i for i, name in enumerate(glyph_order)}\n self.font.glyphs = sorted(self.font.glyphs, key=lambda glyph:\n lookup.get(glyph.name, 1 << 63))\n for glyph in self._font.glyphs:\n self.to_glyphs_layer_order(glyph)\n self.to_glyphs_family_user_data_from_designspace()\n self.to_glyphs_axes()\n self.to_glyphs_sources()\n self.to_glyphs_instances()\n return self._font\n", "role": "user" }, { "content": "font", "role": "assistant" } ]
def x(self, designspace): copy = designspace for source in (s for s in copy.sources if not s.layerName): if not hasattr(source, 'font') or source.font is None: if source.path: source.font = defcon.Font(source.path) else: dirname = os.path.dirname(designspace.path) ufo_path = os.path.join(dirname, source.filename) source.font = defcon.Font(ufo_path) if source.location is None: source.location = {} for name in ('familyName', 'styleName'): if getattr(source, name) != getattr(source.font.info, name): self.logger.warning(dedent( """ The {name} is different between the UFO and the designspace source: source filename: {filename} source {name}: {source_name} ufo {name}: {ufo_name} The UFO name will be used. """ ).format(name=name, filename=source.filename, source_name=getattr(source, name), ufo_name=getattr( source.font.info, name))) setattr(source, name, getattr(source.font.info, name)) return copy
valid_designspace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, designspace):\n copy = designspace\n for source in (s for s in copy.sources if not s.layerName):\n if not hasattr(source, 'font') or source.font is None:\n if source.path:\n source.font = defcon.Font(source.path)\n else:\n dirname = os.path.dirname(designspace.path)\n ufo_path = os.path.join(dirname, source.filename)\n source.font = defcon.Font(ufo_path)\n if source.location is None:\n source.location = {}\n for name in ('familyName', 'styleName'):\n if getattr(source, name) != getattr(source.font.info, name):\n self.logger.warning(dedent(\n \"\"\" The {name} is different between the UFO and the designspace source:\n source filename: {filename}\n source {name}: {source_name}\n ufo {name}: {ufo_name}\n\n The UFO name will be used.\n \"\"\"\n ).format(name=name, filename=source.filename,\n source_name=getattr(source, name), ufo_name=getattr(\n source.font.info, name)))\n setattr(source, name, getattr(source.font.info, name))\n return copy\n", "role": "user" }, { "content": "valid_designspace", "role": "assistant" } ]
def x(self, ufos): designspace = designspaceLib.DesignSpaceDocument() ufo_to_location = defaultdict(dict) for info_key, axis_def in zip(('openTypeOS2WeightClass', 'openTypeOS2WidthClass'), (WEIGHT_AXIS_DEF, WIDTH_AXIS_DEF)): axis = designspace.newAxisDescriptor() axis.tag = axis_def.tag axis.name = axis_def.name mapping = [] for ufo in ufos: user_loc = getattr(ufo.info, info_key) if user_loc is not None: design_loc = class_to_value(axis_def.tag, user_loc) mapping.append((user_loc, design_loc)) ufo_to_location[ufo][axis_def.name] = design_loc mapping = sorted(set(mapping)) if len(mapping) > 1: axis.map = mapping axis.minimum = min([user_loc for user_loc, _ in mapping]) axis.maximum = max([user_loc for user_loc, _ in mapping]) axis.default = min(axis.maximum, max(axis.minimum, axis_def. default_user_loc)) designspace.addAxis(axis) for ufo in ufos: source = designspace.newSourceDescriptor() source.font = ufo source.familyName = ufo.info.familyName source.styleName = ufo.info.styleName source.path = ufo.path source.location = ufo_to_location[ufo] designspace.addSource(source) if any('public.skipExportGlyphs' in ufo.lib for ufo in ufos): skip_export_glyphs = {frozenset(ufo.lib.get( 'public.skipExportGlyphs', [])) for ufo in ufos} if len(skip_export_glyphs) == 1: designspace.lib['public.skipExportGlyphs'] = sorted(next(iter( skip_export_glyphs))) else: raise ValueError( 'The `public.skipExportGlyphs` list of all UFOs must either not exist or be the same in every UFO.' ) return designspace
fake_designspace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ufos):\n designspace = designspaceLib.DesignSpaceDocument()\n ufo_to_location = defaultdict(dict)\n for info_key, axis_def in zip(('openTypeOS2WeightClass',\n 'openTypeOS2WidthClass'), (WEIGHT_AXIS_DEF, WIDTH_AXIS_DEF)):\n axis = designspace.newAxisDescriptor()\n axis.tag = axis_def.tag\n axis.name = axis_def.name\n mapping = []\n for ufo in ufos:\n user_loc = getattr(ufo.info, info_key)\n if user_loc is not None:\n design_loc = class_to_value(axis_def.tag, user_loc)\n mapping.append((user_loc, design_loc))\n ufo_to_location[ufo][axis_def.name] = design_loc\n mapping = sorted(set(mapping))\n if len(mapping) > 1:\n axis.map = mapping\n axis.minimum = min([user_loc for user_loc, _ in mapping])\n axis.maximum = max([user_loc for user_loc, _ in mapping])\n axis.default = min(axis.maximum, max(axis.minimum, axis_def.\n default_user_loc))\n designspace.addAxis(axis)\n for ufo in ufos:\n source = designspace.newSourceDescriptor()\n source.font = ufo\n source.familyName = ufo.info.familyName\n source.styleName = ufo.info.styleName\n source.path = ufo.path\n source.location = ufo_to_location[ufo]\n designspace.addSource(source)\n if any('public.skipExportGlyphs' in ufo.lib for ufo in ufos):\n skip_export_glyphs = {frozenset(ufo.lib.get(\n 'public.skipExportGlyphs', [])) for ufo in ufos}\n if len(skip_export_glyphs) == 1:\n designspace.lib['public.skipExportGlyphs'] = sorted(next(iter(\n skip_export_glyphs)))\n else:\n raise ValueError(\n 'The `public.skipExportGlyphs` list of all UFOs must either not exist or be the same in every UFO.'\n )\n return designspace\n", "role": "user" }, { "content": "fake_designspace", "role": "assistant" } ]
def x(self, ufo, kerning_data): warning_msg = 'Non-existent glyph class %s found in kerning rules.' for left, pairs in kerning_data.items(): match = re.match('@MMK_L_(.+)', left) left_is_class = bool(match) if left_is_class: left = 'public.kern1.%s' % match.group(1) if left not in ufo.groups: self.logger.warning(warning_msg % left) for right, kerning_val in pairs.items(): match = re.match('@MMK_R_(.+)', right) right_is_class = bool(match) if right_is_class: right = 'public.kern2.%s' % match.group(1) if right not in ufo.groups: self.logger.warning(warning_msg % right) ufo.kerning[left, right] = kerning_val
to_ufo_kerning
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ufo, kerning_data):\n warning_msg = 'Non-existent glyph class %s found in kerning rules.'\n for left, pairs in kerning_data.items():\n match = re.match('@MMK_L_(.+)', left)\n left_is_class = bool(match)\n if left_is_class:\n left = 'public.kern1.%s' % match.group(1)\n if left not in ufo.groups:\n self.logger.warning(warning_msg % left)\n for right, kerning_val in pairs.items():\n match = re.match('@MMK_R_(.+)', right)\n right_is_class = bool(match)\n if right_is_class:\n right = 'public.kern2.%s' % match.group(1)\n if right not in ufo.groups:\n self.logger.warning(warning_msg % right)\n ufo.kerning[left, right] = kerning_val\n", "role": "user" }, { "content": "to_ufo_kerning", "role": "assistant" } ]
def x(self): for master_id, source in self._sources.items(): for (left, right), value in source.font.kerning.items(): left_match = UFO_KERN_GROUP_PATTERN.match(left) right_match = UFO_KERN_GROUP_PATTERN.match(right) if left_match: left = '@MMK_L_{}'.format(left_match.group(2)) if right_match: right = '@MMK_R_{}'.format(right_match.group(2)) self.font.setKerningForPair(master_id, left, right, value)
to_glyphs_kerning
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for master_id, source in self._sources.items():\n for (left, right), value in source.font.kerning.items():\n left_match = UFO_KERN_GROUP_PATTERN.match(left)\n right_match = UFO_KERN_GROUP_PATTERN.match(right)\n if left_match:\n left = '@MMK_L_{}'.format(left_match.group(2))\n if right_match:\n right = '@MMK_R_{}'.format(right_match.group(2))\n self.font.setKerningForPair(master_id, left, right, value)\n", "role": "user" }, { "content": "to_glyphs_kerning", "role": "assistant" } ]
def x(name): replacements = ('‘', "'"), ('’', "'"), ('“', '"'), ('”', '"') for orig, replacement in replacements: name = name.replace(orig, replacement) return name
normalize_custom_param_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name):\n replacements = ('‘', \"'\"), ('’', \"'\"), ('“', '\"'), ('”', '\"')\n for orig, replacement in replacements:\n name = name.replace(orig, replacement)\n return name\n", "role": "user" }, { "content": "normalize_custom_param_name", "role": "assistant" } ]
def x(ufo): for _, ufo_name, default_value in DEFAULT_PARAMETERS: if getattr(ufo.info, ufo_name) is None: if isinstance(default_value, list): default_value = default_value[:] setattr(ufo.info, ufo_name, default_value)
set_default_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ufo):\n for _, ufo_name, default_value in DEFAULT_PARAMETERS:\n if getattr(ufo.info, ufo_name) is None:\n if isinstance(default_value, list):\n default_value = default_value[:]\n setattr(ufo.info, ufo_name, default_value)\n", "role": "user" }, { "content": "set_default_params", "role": "assistant" } ]
def x(glyphs): for glyphs_name, _, default_value in DEFAULT_PARAMETERS: if glyphs_name in glyphs.customParameters and glyphs.customParameters[ glyphs_name] == default_value: del glyphs.customParameters[glyphs_name] if glyphs_name in glyphs.customParameters and glyphs.customParameters[ glyphs_name] == default_value: del glyphs.customParameters[glyphs_name]
unset_default_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(glyphs):\n for glyphs_name, _, default_value in DEFAULT_PARAMETERS:\n if glyphs_name in glyphs.customParameters and glyphs.customParameters[\n glyphs_name] == default_value:\n del glyphs.customParameters[glyphs_name]\n if glyphs_name in glyphs.customParameters and glyphs.customParameters[\n glyphs_name] == default_value:\n del glyphs.customParameters[glyphs_name]\n", "role": "user" }, { "content": "unset_default_params", "role": "assistant" } ]
def x(self, key): self._handled.add(key) values = self._lookup[key] if len(values) > 1: raise RuntimeError('More than one value for this customParameter: {}' .format(key)) if values: return values[0] return None
get_custom_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key):\n self._handled.add(key)\n values = self._lookup[key]\n if len(values) > 1:\n raise RuntimeError('More than one value for this customParameter: {}'\n .format(key))\n if values:\n return values[0]\n return None\n", "role": "user" }, { "content": "get_custom_value", "role": "assistant" } ]
def x(self, key): self._handled.add(key) return self._lookup[key]
get_custom_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key):\n self._handled.add(key)\n return self._lookup[key]\n", "role": "user" }, { "content": "get_custom_values", "role": "assistant" } ]
def x(self, key, value): self._owner.customParameters.append(self._glyphs_module. GSCustomParameter(name=key, value=value))
set_custom_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, value):\n self._owner.customParameters.append(self._glyphs_module.\n GSCustomParameter(name=key, value=value))\n", "role": "user" }, { "content": "set_custom_value", "role": "assistant" } ]