source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(source_id, srcdir, dstdir, strict=False, strict_examples=False, debug_level=0, add_line_refs=False, force_revision_pyang=False, force_revision_regexp=False): if force_revision_regexp and force_revision_pyang: print( 'Can not use both methods for parsing name and revision - using regular expression method only' ) force_revision_pyang = False url = re.compile( '^(?:http|ftp)s?://(?:(?:[A-Z0-9](?:[A-Z0-9-]{0,61}[A-Z0-9])?\\.)+(?:[A-Z]{2,6}\\.?|[A-Z0-9-]{2,}\\.?)|localhost|\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}\\.\\d{1,3})(?::\\d+)?(?:/?|[/?]\\S+)$' , re.IGNORECASE) rqst_hdrs = {'Accept': 'text/plain', 'Accept-Charset': 'utf-8'} ye = YangModuleExtractor(source_id, dstdir, strict, strict_examples, add_line_refs, debug_level) is_url = url.match(source_id) if is_url: r = requests.get(source_id, headers=rqst_hdrs) if r.status_code == 200: content = r.text.encode('utf8').splitlines(True) ye.extract_yang_model(content) else: print("Failed to fetch file from URL '%s', error '%d'" % ( source_id, r.status_code), file=sys.stderr) else: try: with open(os.path.join(srcdir, source_id)) as sf: ye.extract_yang_model(sf.readlines()) except IOError as ioe: print(ioe) return ye.get_extracted_models(force_revision_pyang, force_revision_regexp)
xym
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source_id, srcdir, dstdir, strict=False, strict_examples=False,\n debug_level=0, add_line_refs=False, force_revision_pyang=False,\n force_revision_regexp=False):\n if force_revision_regexp and force_revision_pyang:\n print(\n 'Can not use both methods for parsing name and revision - using regular expression method only'\n )\n force_revision_pyang = False\n url = re.compile(\n '^(?:http|ftp)s?://(?:(?:[A-Z0-9](?:[A-Z0-9-]{0,61}[A-Z0-9])?\\\\.)+(?:[A-Z]{2,6}\\\\.?|[A-Z0-9-]{2,}\\\\.?)|localhost|\\\\d{1,3}\\\\.\\\\d{1,3}\\\\.\\\\d{1,3}\\\\.\\\\d{1,3})(?::\\\\d+)?(?:/?|[/?]\\\\S+)$'\n , re.IGNORECASE)\n rqst_hdrs = {'Accept': 'text/plain', 'Accept-Charset': 'utf-8'}\n ye = YangModuleExtractor(source_id, dstdir, strict, strict_examples,\n add_line_refs, debug_level)\n is_url = url.match(source_id)\n if is_url:\n r = requests.get(source_id, headers=rqst_hdrs)\n if r.status_code == 200:\n content = r.text.encode('utf8').splitlines(True)\n ye.extract_yang_model(content)\n else:\n print(\"Failed to fetch file from URL '%s', error '%d'\" % (\n source_id, r.status_code), file=sys.stderr)\n else:\n try:\n with open(os.path.join(srcdir, source_id)) as sf:\n ye.extract_yang_model(sf.readlines())\n except IOError as ioe:\n print(ioe)\n return ye.get_extracted_models(force_revision_pyang, force_revision_regexp)\n", "role": "user" }, { "content": "xym", "role": "assistant" } ]
def x(self, s): print(" WARNING: '%s', %s" % (self.src_id, s), file=sys.stderr)
warning
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, s):\n print(\" WARNING: '%s', %s\" % (self.src_id, s), file=sys.stderr)\n", "role": "user" }, { "content": "warning", "role": "assistant" } ]
def x(self, s): print(" ERROR: '%s', %s" % (self.src_id, s), file=sys.stderr)
error
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, s):\n print(\" ERROR: '%s', %s\" % (self.src_id, s), file=sys.stderr)\n", "role": "user" }, { "content": "error", "role": "assistant" } ]
def x(self, input_model): leading_spaces = 1024 output_model = [] for mline in input_model: line = mline[0] if line.rstrip(' \r\n') != '': leading_spaces = min(leading_spaces, len(line) - len(line. lstrip(' '))) output_model.append([line[leading_spaces:], mline[1]]) line_len = len(line[leading_spaces:]) if line_len > self.max_line_len: self.max_line_len = line_len else: output_model.append(['\n', mline[1]]) return output_model
remove_leading_spaces
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, input_model):\n leading_spaces = 1024\n output_model = []\n for mline in input_model:\n line = mline[0]\n if line.rstrip(' \\r\\n') != '':\n leading_spaces = min(leading_spaces, len(line) - len(line.\n lstrip(' ')))\n output_model.append([line[leading_spaces:], mline[1]])\n line_len = len(line[leading_spaces:])\n if line_len > self.max_line_len:\n self.max_line_len = line_len\n else:\n output_model.append(['\\n', mline[1]])\n return output_model\n", "role": "user" }, { "content": "remove_leading_spaces", "role": "assistant" } ]
def x(self, input_model): output_model = [] for ln in input_model: line_len = len(ln[0]) line_ref = ('// %4d' % ln[1]).rjust(self.max_line_len - line_len + 7, ' ') new_line = '%s %s\n' % (ln[0].rstrip(' \r\n\t\x0c'), line_ref) output_model.append([new_line, ln[1]]) return output_model
add_line_references
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, input_model):\n output_model = []\n for ln in input_model:\n line_len = len(ln[0])\n line_ref = ('// %4d' % ln[1]).rjust(self.max_line_len - line_len + \n 7, ' ')\n new_line = '%s %s\\n' % (ln[0].rstrip(' \\r\\n\\t\\x0c'), line_ref)\n output_model.append([new_line, ln[1]])\n return output_model\n", "role": "user" }, { "content": "add_line_references", "role": "assistant" } ]
def x(self, input_model): ncnt = 0 output_model = [] for ln in input_model: if ln[0].strip(' \n\r') is '': if ncnt is 0: output_model.append(ln) elif self.debug_level > 1: self.debug_print_strip_msg(ln[1] - 1, ln[0]) ncnt += 1 else: output_model.append(ln) ncnt = 0 if self.debug_level > 0: print(' Removed %d empty lines' % (len(input_model) - len( output_model))) return output_model
remove_extra_empty_lines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, input_model):\n ncnt = 0\n output_model = []\n for ln in input_model:\n if ln[0].strip(' \\n\\r') is '':\n if ncnt is 0:\n output_model.append(ln)\n elif self.debug_level > 1:\n self.debug_print_strip_msg(ln[1] - 1, ln[0])\n ncnt += 1\n else:\n output_model.append(ln)\n ncnt = 0\n if self.debug_level > 0:\n print(' Removed %d empty lines' % (len(input_model) - len(\n output_model)))\n return output_model\n", "role": "user" }, { "content": "remove_extra_empty_lines", "role": "assistant" } ]
def x(self, input_model, add_line_refs): intermediate_model = self.remove_leading_spaces(input_model) intermediate_model = self.remove_extra_empty_lines(intermediate_model) if add_line_refs: intermediate_model = self.add_line_references(intermediate_model) return finalize_model(intermediate_model)
post_process_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, input_model, add_line_refs):\n intermediate_model = self.remove_leading_spaces(input_model)\n intermediate_model = self.remove_extra_empty_lines(intermediate_model)\n if add_line_refs:\n intermediate_model = self.add_line_references(intermediate_model)\n return finalize_model(intermediate_model)\n", "role": "user" }, { "content": "post_process_model", "role": "assistant" } ]
def x(self, mdl, fn): output = ''.join(self.post_process_model(mdl, self.add_line_refs)) if fn: fqfn = self.dst_dir + '/' + fn if os.path.isfile(fqfn): self.error("File '%s' exists" % fqfn) return with open(fqfn, 'w') as of: of.write(output) of.close() self.extracted_models.append(fn) else: self.error( 'Output file name can not be determined; YANG file not created')
write_model_to_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mdl, fn):\n output = ''.join(self.post_process_model(mdl, self.add_line_refs))\n if fn:\n fqfn = self.dst_dir + '/' + fn\n if os.path.isfile(fqfn):\n self.error(\"File '%s' exists\" % fqfn)\n return\n with open(fqfn, 'w') as of:\n of.write(output)\n of.close()\n self.extracted_models.append(fn)\n else:\n self.error(\n 'Output file name can not be determined; YANG file not created')\n", "role": "user" }, { "content": "write_model_to_file", "role": "assistant" } ]
def x(self, i, level, line): if self.debug_level == 2: print("Line %d (%d): '%s'" % (i + 1, level, line.rstrip(' \r\n\t\x0c')) ) if self.debug_level > 2: print('Line %d (%d):' % (i + 1, level)) hexdump(line)
debug_print_line
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, i, level, line):\n if self.debug_level == 2:\n print(\"Line %d (%d): '%s'\" % (i + 1, level, line.rstrip(' \\r\\n\\t\\x0c'))\n )\n if self.debug_level > 2:\n print('Line %d (%d):' % (i + 1, level))\n hexdump(line)\n", "role": "user" }, { "content": "debug_print_line", "role": "assistant" } ]
def x(self, i, line): if self.debug_level == 2: print(" Stripping Line %d: '%s'" % (i + 1, line.rstrip( ' \r\n\t\x0c'))) elif self.debug_level > 2: print(' Stripping Line %d:' % (i + 1)) hexdump(line)
debug_print_strip_msg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, i, line):\n if self.debug_level == 2:\n print(\" Stripping Line %d: '%s'\" % (i + 1, line.rstrip(\n ' \\r\\n\\t\\x0c')))\n elif self.debug_level > 2:\n print(' Stripping Line %d:' % (i + 1))\n hexdump(line)\n", "role": "user" }, { "content": "debug_print_strip_msg", "role": "assistant" } ]
def x(self, content, i): while i < len(content): line = content[i].strip(' \r\n\t\x0c') if line != '': break self.debug_print_strip_msg(i, content[i]) i += 1 return i
strip_empty_lines_forward
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, content, i):\n while i < len(content):\n line = content[i].strip(' \\r\\n\\t\\x0c')\n if line != '':\n break\n self.debug_print_strip_msg(i, content[i])\n i += 1\n return i\n", "role": "user" }, { "content": "strip_empty_lines_forward", "role": "assistant" } ]
def x(self, model, max_lines_to_strip): for l in range(0, max_lines_to_strip): if model[-1][0].strip(' \r\n\t\x0c') != '': return self.debug_print_strip_msg(model[-1][1] - 1, model[-1][0]) model.pop()
strip_empty_lines_backward
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, model, max_lines_to_strip):\n for l in range(0, max_lines_to_strip):\n if model[-1][0].strip(' \\r\\n\\t\\x0c') != '':\n return\n self.debug_print_strip_msg(model[-1][1] - 1, model[-1][0])\n model.pop()\n", "role": "user" }, { "content": "strip_empty_lines_backward", "role": "assistant" } ]
def x(self, content): model = [] output_file = None in_model = False example_match = False i = 0 level = 0 quotes = 0 while i < len(content): line = content[i] if self.CODE_ENDS_TAG.match(line): if in_model is False: self.warning('Line %d: misplaced <CODE ENDS>' % i) in_model = False if '"' in line: if line.count('"') % 2 == 0: quotes = 0 elif quotes == 1: quotes = 0 else: quotes = 1 match = self.MODULE_STATEMENT.match(line) if match: if quotes == 0: if level > 0: self.error( "Line %d - 'module' statement within another module" % i) return if match.groups()[1] or match.groups()[4]: self.warning( 'Line %d - Module name should not be enclosed in quotes' % i) example_match = self.EXAMPLE_TAG.match(match.groups()[2]) if in_model is True: if example_match: self.error( "Line %d - YANG module '%s' with <CODE BEGINS> and starting with 'example-'" % (i, match.groups()[2])) elif not example_match: self.error( "Line %d - YANG module '%s' with no <CODE BEGINS> and not starting with 'example-'" % (i, match.groups()[2])) if quotes == 0: level = 1 if not output_file and level == 1 and quotes == 0: print("\nExtracting '%s'" % match.groups()[2]) output_file = '%s.yang' % match.groups()[2].strip('"\'') if self.debug_level > 0: print(' Getting YANG file name from module name: %s' % output_file) if level > 0: self.debug_print_line(i, level, content[i]) if self.PAGE_TAG.match(line): self.strip_empty_lines_backward(model, 3) self.debug_print_strip_msg(i, content[i]) i += 1 i = self.strip_empty_lines_forward(content, i) if i < len(content): self.debug_print_strip_msg(i, content[i]) i += 1 else: self.error( '<End of File> - EOF encountered while parsing the model' ) return i = self.strip_empty_lines_forward(content, i) - 1 if i >= len(content): self.error( '<End of File> - EOF encountered while parsing the model' ) return else: model.append([line, i + 1]) counter = Counter(line) if quotes == 0: if '"' in line and '}' in line: if line.index('}') > line.rindex('"') or line.index('}' ) < line.index('"'): level += counter['{'] - counter['}'] else: level += counter['{'] - counter['}'] if level == 1: if self.strict: if self.strict_examples: if example_match and not in_model: self.write_model_to_file(model, output_file) elif in_model: self.write_model_to_file(model, output_file) else: self.write_model_to_file(model, output_file) self.max_line_len = 0 model = [] output_file = None level = 0 match = self.CODE_BEGINS_TAG.match(line) if match: if level > 0: self.error('Line %d - <CODE BEGINS> within a model' % i) return if in_model is True: self.error( 'Line %d - Misplaced <CODE BEGINS> or missing <CODE ENDS>' % i) in_model = True mg = match.groups() if mg[2]: print("\nExtracting '%s'" % match.groups()[2]) output_file = mg[2].strip() elif mg[0] and mg[1] is None: self.error('Line %d - Missing file name in <CODE BEGINS>' % i) else: self.error( 'Line %d - YANG file not specified in <CODE BEGINS>' % i) i += 1 if level > 0: self.error('<End of File> - EOF encountered while parsing the model') return if in_model is True: self.error('Line %d - Missing <CODE ENDS>' % i)
extract_yang_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, content):\n model = []\n output_file = None\n in_model = False\n example_match = False\n i = 0\n level = 0\n quotes = 0\n while i < len(content):\n line = content[i]\n if self.CODE_ENDS_TAG.match(line):\n if in_model is False:\n self.warning('Line %d: misplaced <CODE ENDS>' % i)\n in_model = False\n if '\"' in line:\n if line.count('\"') % 2 == 0:\n quotes = 0\n elif quotes == 1:\n quotes = 0\n else:\n quotes = 1\n match = self.MODULE_STATEMENT.match(line)\n if match:\n if quotes == 0:\n if level > 0:\n self.error(\n \"Line %d - 'module' statement within another module\" %\n i)\n return\n if match.groups()[1] or match.groups()[4]:\n self.warning(\n 'Line %d - Module name should not be enclosed in quotes' %\n i)\n example_match = self.EXAMPLE_TAG.match(match.groups()[2])\n if in_model is True:\n if example_match:\n self.error(\n \"Line %d - YANG module '%s' with <CODE BEGINS> and starting with 'example-'\"\n % (i, match.groups()[2]))\n elif not example_match:\n self.error(\n \"Line %d - YANG module '%s' with no <CODE BEGINS> and not starting with 'example-'\"\n % (i, match.groups()[2]))\n if quotes == 0:\n level = 1\n if not output_file and level == 1 and quotes == 0:\n print(\"\\nExtracting '%s'\" % match.groups()[2])\n output_file = '%s.yang' % match.groups()[2].strip('\"\\'')\n if self.debug_level > 0:\n print(' Getting YANG file name from module name: %s' %\n output_file)\n if level > 0:\n self.debug_print_line(i, level, content[i])\n if self.PAGE_TAG.match(line):\n self.strip_empty_lines_backward(model, 3)\n self.debug_print_strip_msg(i, content[i])\n i += 1\n i = self.strip_empty_lines_forward(content, i)\n if i < len(content):\n self.debug_print_strip_msg(i, content[i])\n i += 1\n else:\n self.error(\n '<End of File> - EOF encountered while parsing the model'\n )\n return\n i = self.strip_empty_lines_forward(content, i) - 1\n if i >= len(content):\n self.error(\n '<End of File> - EOF encountered while parsing the model'\n )\n return\n else:\n model.append([line, i + 1])\n counter = Counter(line)\n if quotes == 0:\n if '\"' in line and '}' in line:\n if line.index('}') > line.rindex('\"') or line.index('}'\n ) < line.index('\"'):\n level += counter['{'] - counter['}']\n else:\n level += counter['{'] - counter['}']\n if level == 1:\n if self.strict:\n if self.strict_examples:\n if example_match and not in_model:\n self.write_model_to_file(model, output_file)\n elif in_model:\n self.write_model_to_file(model, output_file)\n else:\n self.write_model_to_file(model, output_file)\n self.max_line_len = 0\n model = []\n output_file = None\n level = 0\n match = self.CODE_BEGINS_TAG.match(line)\n if match:\n if level > 0:\n self.error('Line %d - <CODE BEGINS> within a model' % i)\n return\n if in_model is True:\n self.error(\n 'Line %d - Misplaced <CODE BEGINS> or missing <CODE ENDS>'\n % i)\n in_model = True\n mg = match.groups()\n if mg[2]:\n print(\"\\nExtracting '%s'\" % match.groups()[2])\n output_file = mg[2].strip()\n elif mg[0] and mg[1] is None:\n self.error('Line %d - Missing file name in <CODE BEGINS>' % i)\n else:\n self.error(\n 'Line %d - YANG file not specified in <CODE BEGINS>' % i)\n i += 1\n if level > 0:\n self.error('<End of File> - EOF encountered while parsing the model')\n return\n if in_model is True:\n self.error('Line %d - Missing <CODE ENDS>' % i)\n", "role": "user" }, { "content": "extract_yang_model", "role": "assistant" } ]
def x(fun): @functools.wraps(fun) def x(instance, *args, **kwargs): cfg = instance._retry_config remaining_tries = cfg.retry_attempts current_wait = cfg.retry_wait retry_backoff = cfg.retry_backoff last_error = None while remaining_tries >= 0: try: return fun(instance, *args, **kwargs) except socket.error as e: last_error = e instance._retry_logger.warning('Connection failed: %s', e) remaining_tries -= 1 if remaining_tries == 0: break time.sleep(current_wait) current_wait *= retry_backoff raise last_error return decorated
auto_retry
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fun):\n\n @functools.wraps(fun)\n def x(instance, *args, **kwargs):\n cfg = instance._retry_config\n remaining_tries = cfg.retry_attempts\n current_wait = cfg.retry_wait\n retry_backoff = cfg.retry_backoff\n last_error = None\n while remaining_tries >= 0:\n try:\n return fun(instance, *args, **kwargs)\n except socket.error as e:\n last_error = e\n instance._retry_logger.warning('Connection failed: %s', e)\n remaining_tries -= 1\n if remaining_tries == 0:\n break\n time.sleep(current_wait)\n current_wait *= retry_backoff\n raise last_error\n return decorated\n", "role": "user" }, { "content": "auto_retry", "role": "assistant" } ]
def x(fmt): class FakeDict(object): def x(self): self.seen_keys = set() def x(self, key): self.seen_keys.add(key) return '' def x(self): return self.seen_keys fake = FakeDict() try: fmt % fake except TypeError: pass return set(fake.keys())
extract_pattern
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fmt):\n\n\n class FakeDict(object):\n\n def x(self):\n self.seen_keys = set()\n\n def x(self, key):\n self.seen_keys.add(key)\n return ''\n\n def x(self):\n return self.seen_keys\n fake = FakeDict()\n try:\n fmt % fake\n except TypeError:\n pass\n return set(fake.keys())\n", "role": "user" }, { "content": "extract_pattern", "role": "assistant" } ]
def x(vertices, tris, vertex_data, levels): lines = None connects = None vertex_level = None level_index = None if not all([isinstance(x, np.ndarray) for x in (vertices, tris, vertex_data, levels)]): raise ValueError('all inputs must be numpy arrays') if vertices.shape[1] <= 3: verts = vertices elif vertices.shape[1] == 4: verts = vertices[:, :-1] else: verts = None if verts is not None and tris.shape[1] == 3 and vertex_data.shape[0 ] == verts.shape[0]: edges = np.vstack((tris.reshape(-1), np.roll(tris, -1, axis=1). reshape(-1))).T edge_datas = vertex_data[edges] edge_coors = verts[edges].reshape(tris.shape[0] * 3, 2, 3) for lev in levels: index = edge_datas >= lev index = index[:, 0] ^ index[:, 1] edge_datas_Ok = edge_datas[index, :] xyz = edge_coors[index] ratio = np.array([(lev - edge_datas_Ok[:, 0]) / (edge_datas_Ok[ :, 1] - edge_datas_Ok[:, 0])]) point = xyz[:, 0, :] + ratio.T * (xyz[:, 1, :] - xyz[:, 0, :]) nbr = point.shape[0] // 2 if connects is not None: connect = np.arange(0, nbr * 2).reshape((nbr, 2)) + len(lines) connects = np.append(connects, connect, axis=0) lines = np.append(lines, point, axis=0) vertex_level = np.append(vertex_level, np.zeros(len(point)) + lev) level_index = np.append(level_index, np.array(len(point))) else: lines = point connects = np.arange(0, nbr * 2).reshape((nbr, 2)) vertex_level = np.zeros(len(point)) + lev level_index = np.array(len(point)) vertex_level = vertex_level.reshape((vertex_level.size, 1)) return lines, connects, vertex_level, level_index
iso_mesh_line
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(vertices, tris, vertex_data, levels):\n lines = None\n connects = None\n vertex_level = None\n level_index = None\n if not all([isinstance(x, np.ndarray) for x in (vertices, tris,\n vertex_data, levels)]):\n raise ValueError('all inputs must be numpy arrays')\n if vertices.shape[1] <= 3:\n verts = vertices\n elif vertices.shape[1] == 4:\n verts = vertices[:, :-1]\n else:\n verts = None\n if verts is not None and tris.shape[1] == 3 and vertex_data.shape[0\n ] == verts.shape[0]:\n edges = np.vstack((tris.reshape(-1), np.roll(tris, -1, axis=1).\n reshape(-1))).T\n edge_datas = vertex_data[edges]\n edge_coors = verts[edges].reshape(tris.shape[0] * 3, 2, 3)\n for lev in levels:\n index = edge_datas >= lev\n index = index[:, 0] ^ index[:, 1]\n edge_datas_Ok = edge_datas[index, :]\n xyz = edge_coors[index]\n ratio = np.array([(lev - edge_datas_Ok[:, 0]) / (edge_datas_Ok[\n :, 1] - edge_datas_Ok[:, 0])])\n point = xyz[:, 0, :] + ratio.T * (xyz[:, 1, :] - xyz[:, 0, :])\n nbr = point.shape[0] // 2\n if connects is not None:\n connect = np.arange(0, nbr * 2).reshape((nbr, 2)) + len(lines)\n connects = np.append(connects, connect, axis=0)\n lines = np.append(lines, point, axis=0)\n vertex_level = np.append(vertex_level, np.zeros(len(point)) +\n lev)\n level_index = np.append(level_index, np.array(len(point)))\n else:\n lines = point\n connects = np.arange(0, nbr * 2).reshape((nbr, 2))\n vertex_level = np.zeros(len(point)) + lev\n level_index = np.array(len(point))\n vertex_level = vertex_level.reshape((vertex_level.size, 1))\n return lines, connects, vertex_level, level_index\n", "role": "user" }, { "content": "iso_mesh_line", "role": "assistant" } ]
def x(self, vertices=None, tris=None, data=None): if data is not None: self._data = data self._need_recompute = True if vertices is not None: self._vertices = vertices self._need_recompute = True if tris is not None: self._tris = tris self._need_recompute = True self.update()
set_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, vertices=None, tris=None, data=None):\n if data is not None:\n self._data = data\n self._need_recompute = True\n if vertices is not None:\n self._vertices = vertices\n self._need_recompute = True\n if tris is not None:\n self._tris = tris\n self._need_recompute = True\n self.update()\n", "role": "user" }, { "content": "set_data", "role": "assistant" } ]
def x(self, color): if color is not None: self._color_lev = color self._need_color_update = True self.update()
set_color
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, color):\n if color is not None:\n self._color_lev = color\n self._need_color_update = True\n self.update()\n", "role": "user" }, { "content": "set_color", "role": "assistant" } ]
def x(self): level_color = [] colors = self._lc for i, index in enumerate(self._li): level_color.append(np.zeros((index, 4)) + colors[i]) self._cl = np.vstack(level_color)
compute_iso_color
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n level_color = []\n colors = self._lc\n for i, index in enumerate(self._li):\n level_color.append(np.zeros((index, 4)) + colors[i])\n self._cl = np.vstack(level_color)\n", "role": "user" }, { "content": "compute_iso_color", "role": "assistant" } ]
def x(self): self._multivol.deallocate(self.id) ARRAY_CACHE.pop(self.id, None) PIXEL_CACHE.pop(self.id, None)
remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._multivol.deallocate(self.id)\n ARRAY_CACHE.pop(self.id, None)\n PIXEL_CACHE.pop(self.id, None)\n", "role": "user" }, { "content": "remove", "role": "assistant" } ]
def x(): NS = globals() GLNS = _GL.__dict__ used_names = [] used_names.extend([names[0] for names in _pyopengl2._functions_to_import]) used_names.extend([name for name in _pyopengl2._used_functions]) NS['_used_names'] = used_names used_constants = set(_constants.__dict__) injected_constants = 0 injected_functions = 0 for name in dir(_GL): if name.startswith('GL_'): if name not in used_constants: NS[name] = GLNS[name] injected_constants += 1 elif name.startswith('gl'): if name + ',' in _deprecated_functions: pass elif name in used_names: pass else: NS[name] = GLNS[name] injected_functions += 1
inject
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n NS = globals()\n GLNS = _GL.__dict__\n used_names = []\n used_names.extend([names[0] for names in _pyopengl2._functions_to_import])\n used_names.extend([name for name in _pyopengl2._used_functions])\n NS['_used_names'] = used_names\n used_constants = set(_constants.__dict__)\n injected_constants = 0\n injected_functions = 0\n for name in dir(_GL):\n if name.startswith('GL_'):\n if name not in used_constants:\n NS[name] = GLNS[name]\n injected_constants += 1\n elif name.startswith('gl'):\n if name + ',' in _deprecated_functions:\n pass\n elif name in used_names:\n pass\n else:\n NS[name] = GLNS[name]\n injected_functions += 1\n", "role": "user" }, { "content": "inject", "role": "assistant" } ]
def x(name, path=None): parts = name.split('.') for part in parts: if path is not None: path = [path] fh, path, descr = imp.find_module(part, path) if fh is not None and part != parts[-1]: fh.close() return fh, path, descr
find_module
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, path=None):\n parts = name.split('.')\n for part in parts:\n if path is not None:\n path = [path]\n fh, path, descr = imp.find_module(part, path)\n if fh is not None and part != parts[-1]:\n fh.close()\n return fh, path, descr\n", "role": "user" }, { "content": "find_module", "role": "assistant" } ]
def x(vertices): n = len(vertices) vertices = np.asarray(vertices) zmean = vertices[:, 2].mean() vertices_2d = vertices[:, :2] segments = np.repeat(np.arange(n + 1), 2)[1:-1] segments[-2:] = n - 1, 0 if _TRIANGLE_AVAILABLE: vertices_2d, triangles = _triangulate_cpp(vertices_2d, segments) else: vertices_2d, triangles = _triangulate_python(vertices_2d, segments) vertices = np.empty((len(vertices_2d), 3)) vertices[:, :2] = vertices_2d vertices[:, 2] = zmean return vertices, triangles
triangulate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(vertices):\n n = len(vertices)\n vertices = np.asarray(vertices)\n zmean = vertices[:, 2].mean()\n vertices_2d = vertices[:, :2]\n segments = np.repeat(np.arange(n + 1), 2)[1:-1]\n segments[-2:] = n - 1, 0\n if _TRIANGLE_AVAILABLE:\n vertices_2d, triangles = _triangulate_cpp(vertices_2d, segments)\n else:\n vertices_2d, triangles = _triangulate_python(vertices_2d, segments)\n vertices = np.empty((len(vertices_2d), 3))\n vertices[:, :2] = vertices_2d\n vertices[:, 2] = zmean\n return vertices, triangles\n", "role": "user" }, { "content": "triangulate", "role": "assistant" } ]
def x(self): self._initialize() pts = self.pts front = self._front for i in range(3, pts.shape[0]): pi = pts[i] l = 0 while pts[front[l + 1], 0] <= pi[0]: l += 1 pl = pts[front[l]] if pi[0] > pl[0]: self._add_tri(front[l], front[l + 1], i) front.insert(l + 1, i) else: self._add_tri(front[l], front[l + 1], i) self._add_tri(front[l - 1], front[l], i) front[l] = i for direction in (-1, 1): while True: ind0 = front.index(i) ind1 = ind0 + direction ind2 = ind1 + direction if ind2 < 0 or ind2 >= len(front): break p1 = pts[front[ind1]] p2 = pts[front[ind2]] err = np.geterr() np.seterr(invalid='ignore') try: angle = np.arccos(self._cosine(pi, p1, p2)) finally: np.seterr(**err) if angle > np.pi / 2.0 or np.isnan(angle): break assert i != front[ind1] and front[ind1] != front[ind2 ] and front[ind2] != i self._add_tri(i, front[ind1], front[ind2], source='smooth1') front.pop(ind1) if i in self._tops: for j in self._bottoms[self._tops == i]: self._edge_event(i, j) front = self._front self._finalize() self.tris = np.array(list(self.tris.keys()), dtype=int)
triangulate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._initialize()\n pts = self.pts\n front = self._front\n for i in range(3, pts.shape[0]):\n pi = pts[i]\n l = 0\n while pts[front[l + 1], 0] <= pi[0]:\n l += 1\n pl = pts[front[l]]\n if pi[0] > pl[0]:\n self._add_tri(front[l], front[l + 1], i)\n front.insert(l + 1, i)\n else:\n self._add_tri(front[l], front[l + 1], i)\n self._add_tri(front[l - 1], front[l], i)\n front[l] = i\n for direction in (-1, 1):\n while True:\n ind0 = front.index(i)\n ind1 = ind0 + direction\n ind2 = ind1 + direction\n if ind2 < 0 or ind2 >= len(front):\n break\n p1 = pts[front[ind1]]\n p2 = pts[front[ind2]]\n err = np.geterr()\n np.seterr(invalid='ignore')\n try:\n angle = np.arccos(self._cosine(pi, p1, p2))\n finally:\n np.seterr(**err)\n if angle > np.pi / 2.0 or np.isnan(angle):\n break\n assert i != front[ind1] and front[ind1] != front[ind2\n ] and front[ind2] != i\n self._add_tri(i, front[ind1], front[ind2], source='smooth1')\n front.pop(ind1)\n if i in self._tops:\n for j in self._bottoms[self._tops == i]:\n self._edge_event(i, j)\n front = self._front\n self._finalize()\n self.tris = np.array(list(self.tris.keys()), dtype=int)\n", "role": "user" }, { "content": "triangulate", "role": "assistant" } ]
def x(self, i, j): front_index = self._front.index(i) front = self._front if (i, j) in self._edges_lookup or (j, i) in self._edges_lookup: return upper_polygon = [i] lower_polygon = [i] front_holes = [] next_tri = None last_edge = None front_dir = 1 if self.pts[j][0] > self.pts[i][0] else -1 if self._edge_below_front((i, j), front_index): mode = 1 tri = self._find_cut_triangle((i, j)) last_edge = self._edge_opposite_point(tri, i) next_tri = self._adjacent_tri(last_edge, i) assert next_tri is not None self._remove_tri(*tri) lower_polygon.append(last_edge[1]) upper_polygon.append(last_edge[0]) else: mode = 2 while True: if mode == 1: if j in next_tri: upper_polygon.append(j) lower_polygon.append(j) self._remove_tri(*next_tri) break else: tri_edges = self._edges_in_tri_except(next_tri, last_edge) last_edge = self._intersected_edge(tri_edges, (i, j)) last_tri = next_tri next_tri = self._adjacent_tri(last_edge, last_tri) self._remove_tri(*last_tri) if lower_polygon[-1] == last_edge[0]: upper_polygon.append(last_edge[1]) elif lower_polygon[-1] == last_edge[1]: upper_polygon.append(last_edge[0]) elif upper_polygon[-1] == last_edge[0]: lower_polygon.append(last_edge[1]) elif upper_polygon[-1] == last_edge[1]: lower_polygon.append(last_edge[0]) else: raise RuntimeError('Something went wrong..') x = self._edge_in_front(last_edge) if x >= 0: mode = 2 next_tri = None front_index = x + (1 if front_dir == -1 else 0) if lower_polygon[-1] == front[front_index]: tmp = lower_polygon, upper_polygon upper_polygon, lower_polygon = tmp else: assert upper_polygon[-1] == front[front_index] else: assert next_tri is not None else: front_index += front_dir next_edge = front[front_index], front[front_index + front_dir] assert front_index >= 0 if front[front_index] == j: lower_polygon.append(j) upper_polygon.append(j) break if lower_polygon[-1] != front[front_index]: lower_polygon.append(front[front_index]) front_holes.append(front_index) if self._edges_intersect((i, j), next_edge): mode = 1 last_edge = next_edge next_tri = self._tri_from_edge(last_edge) upper_polygon.append(front[front_index + front_dir]) for polygon in [lower_polygon, upper_polygon]: dist = self._distances_from_line((i, j), polygon) while len(polygon) > 2: ind = np.argmax(dist) self._add_tri(polygon[ind], polygon[ind - 1], polygon[ind + 1], legal=False, source='edge_event') polygon.pop(ind) dist.pop(ind) front_holes.sort(reverse=True) for i in front_holes: front.pop(i)
edge_event
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, i, j):\n front_index = self._front.index(i)\n front = self._front\n if (i, j) in self._edges_lookup or (j, i) in self._edges_lookup:\n return\n upper_polygon = [i]\n lower_polygon = [i]\n front_holes = []\n next_tri = None\n last_edge = None\n front_dir = 1 if self.pts[j][0] > self.pts[i][0] else -1\n if self._edge_below_front((i, j), front_index):\n mode = 1\n tri = self._find_cut_triangle((i, j))\n last_edge = self._edge_opposite_point(tri, i)\n next_tri = self._adjacent_tri(last_edge, i)\n assert next_tri is not None\n self._remove_tri(*tri)\n lower_polygon.append(last_edge[1])\n upper_polygon.append(last_edge[0])\n else:\n mode = 2\n while True:\n if mode == 1:\n if j in next_tri:\n upper_polygon.append(j)\n lower_polygon.append(j)\n self._remove_tri(*next_tri)\n break\n else:\n tri_edges = self._edges_in_tri_except(next_tri, last_edge)\n last_edge = self._intersected_edge(tri_edges, (i, j))\n last_tri = next_tri\n next_tri = self._adjacent_tri(last_edge, last_tri)\n self._remove_tri(*last_tri)\n if lower_polygon[-1] == last_edge[0]:\n upper_polygon.append(last_edge[1])\n elif lower_polygon[-1] == last_edge[1]:\n upper_polygon.append(last_edge[0])\n elif upper_polygon[-1] == last_edge[0]:\n lower_polygon.append(last_edge[1])\n elif upper_polygon[-1] == last_edge[1]:\n lower_polygon.append(last_edge[0])\n else:\n raise RuntimeError('Something went wrong..')\n x = self._edge_in_front(last_edge)\n if x >= 0:\n mode = 2\n next_tri = None\n front_index = x + (1 if front_dir == -1 else 0)\n if lower_polygon[-1] == front[front_index]:\n tmp = lower_polygon, upper_polygon\n upper_polygon, lower_polygon = tmp\n else:\n assert upper_polygon[-1] == front[front_index]\n else:\n assert next_tri is not None\n else:\n front_index += front_dir\n next_edge = front[front_index], front[front_index + front_dir]\n assert front_index >= 0\n if front[front_index] == j:\n lower_polygon.append(j)\n upper_polygon.append(j)\n break\n if lower_polygon[-1] != front[front_index]:\n lower_polygon.append(front[front_index])\n front_holes.append(front_index)\n if self._edges_intersect((i, j), next_edge):\n mode = 1\n last_edge = next_edge\n next_tri = self._tri_from_edge(last_edge)\n upper_polygon.append(front[front_index + front_dir])\n for polygon in [lower_polygon, upper_polygon]:\n dist = self._distances_from_line((i, j), polygon)\n while len(polygon) > 2:\n ind = np.argmax(dist)\n self._add_tri(polygon[ind], polygon[ind - 1], polygon[ind + 1],\n legal=False, source='edge_event')\n polygon.pop(ind)\n dist.pop(ind)\n front_holes.sort(reverse=True)\n for i in front_holes:\n front.pop(i)\n", "role": "user" }, { "content": "edge_event", "role": "assistant" } ]
def x(self, edge): edges = [] for tri in self.tris: if edge[0] in tri: edges.append(self._edge_opposite_point(tri, edge[0])) for oedge in edges: o1 = self._orientation(edge, oedge[0]) o2 = self._orientation(edge, oedge[1]) if o1 != o2: return edge[0], oedge[0], oedge[1] return None
find_cut_triangle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, edge):\n edges = []\n for tri in self.tris:\n if edge[0] in tri:\n edges.append(self._edge_opposite_point(tri, edge[0]))\n for oedge in edges:\n o1 = self._orientation(edge, oedge[0])\n o2 = self._orientation(edge, oedge[1])\n if o1 != o2:\n return edge[0], oedge[0], oedge[1]\n return None\n", "role": "user" }, { "content": "find_cut_triangle", "role": "assistant" } ]
def x(self, edge): e = list(edge), list(edge)[::-1] for i in range(len(self._front) - 1): if self._front[i:i + 2] in e: return i return -1
edge_in_front
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, edge):\n e = list(edge), list(edge)[::-1]\n for i in range(len(self._front) - 1):\n if self._front[i:i + 2] in e:\n return i\n return -1\n", "role": "user" }, { "content": "edge_in_front", "role": "assistant" } ]
def x(self, tri, i): ind = tri.index(i) return tri[(ind + 1) % 3], tri[(ind + 2) % 3]
edge_opposite_point
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tri, i):\n ind = tri.index(i)\n return tri[(ind + 1) % 3], tri[(ind + 2) % 3]\n", "role": "user" }, { "content": "edge_opposite_point", "role": "assistant" } ]
def x(self, edge, i): if not np.isscalar(i): i = [x for x in i if x not in edge][0] try: pt1 = self._edges_lookup[edge] pt2 = self._edges_lookup[edge[1], edge[0]] except KeyError: return None if pt1 == i: return edge[1], edge[0], pt2 elif pt2 == i: return edge[1], edge[0], pt1 else: raise RuntimeError( 'Edge %s and point %d do not form a triangle in this mesh.' % ( edge, i))
adjacent_tri
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, edge, i):\n if not np.isscalar(i):\n i = [x for x in i if x not in edge][0]\n try:\n pt1 = self._edges_lookup[edge]\n pt2 = self._edges_lookup[edge[1], edge[0]]\n except KeyError:\n return None\n if pt1 == i:\n return edge[1], edge[0], pt2\n elif pt2 == i:\n return edge[1], edge[0], pt1\n else:\n raise RuntimeError(\n 'Edge %s and point %d do not form a triangle in this mesh.' % (\n edge, i))\n", "role": "user" }, { "content": "adjacent_tri", "role": "assistant" } ]
def x(self, edge): edge = tuple(edge) p1 = self._edges_lookup.get(edge, None) p2 = self._edges_lookup.get(edge[::-1], None) if p1 is None: if p2 is None: raise RuntimeError('No tris connected to edge %r' % (edge,)) return edge + (p2,) elif p2 is None: return edge + (p1,) else: raise RuntimeError('Two triangles connected to edge %r' % (edge,))
tri_from_edge
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, edge):\n edge = tuple(edge)\n p1 = self._edges_lookup.get(edge, None)\n p2 = self._edges_lookup.get(edge[::-1], None)\n if p1 is None:\n if p2 is None:\n raise RuntimeError('No tris connected to edge %r' % (edge,))\n return edge + (p2,)\n elif p2 is None:\n return edge + (p1,)\n else:\n raise RuntimeError('Two triangles connected to edge %r' % (edge,))\n", "role": "user" }, { "content": "tri_from_edge", "role": "assistant" } ]
def x(self, tri, edge): edges = [(tri[i], tri[(i + 1) % 3]) for i in range(3)] try: edges.remove(tuple(edge)) except ValueError: edges.remove(tuple(edge[::-1])) return edges
edges_in_tri_except
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tri, edge):\n edges = [(tri[i], tri[(i + 1) % 3]) for i in range(3)]\n try:\n edges.remove(tuple(edge))\n except ValueError:\n edges.remove(tuple(edge[::-1]))\n return edges\n", "role": "user" }, { "content": "edges_in_tri_except", "role": "assistant" } ]
def x(self, edge, front_index): f0 = self._front[front_index - 1] f1 = self._front[front_index + 1] return self._orientation(edge, f0) > 0 and self._orientation(edge, f1) < 0
edge_below_front
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, edge, front_index):\n f0 = self._front[front_index - 1]\n f1 = self._front[front_index + 1]\n return self._orientation(edge, f0) > 0 and self._orientation(edge, f1) < 0\n", "role": "user" }, { "content": "edge_below_front", "role": "assistant" } ]
def x(self, edges, cut_edge): for edge in edges: if self._edges_intersect(edge, cut_edge): return edge
intersected_edge
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, edges, cut_edge):\n for edge in edges:\n if self._edges_intersect(edge, cut_edge):\n return edge\n", "role": "user" }, { "content": "intersected_edge", "role": "assistant" } ]
def x(self): edges = self.pts[self.edges] cuts = {} for i in range(edges.shape[0] - 1): int1 = self._intersect_edge_arrays(edges[i:i + 1], edges[i + 1:]) int2 = self._intersect_edge_arrays(edges[i + 1:], edges[i:i + 1]) err = np.geterr() np.seterr(divide='ignore', invalid='ignore') try: mask1 = (int1 >= 0) & (int1 <= 1) mask2 = (int2 >= 0) & (int2 <= 1) mask3 = mask1 & mask2 finally: np.seterr(**err) inds = np.argwhere(mask3)[:, 0] if len(inds) == 0: continue h = int2[inds][:, np.newaxis] pts = edges[i, 0][np.newaxis, :] * (1.0 - h) + edges[i, 1][np. newaxis, :] * h edge_cuts = cuts.setdefault(i, []) for j, ind in enumerate(inds): if 0 < int2[ind] < 1: edge_cuts.append((int2[ind], pts[j])) if 0 < int1[ind] < 1: other_cuts = cuts.setdefault(ind + i + 1, []) other_cuts.append((int1[ind], pts[j])) for k, v in cuts.items(): v.sort(key=lambda x: x[0]) for i in range(len(v) - 2, -1, -1): if v[i][0] == v[i + 1][0]: v.pop(i + 1) return cuts
find_edge_intersections
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n edges = self.pts[self.edges]\n cuts = {}\n for i in range(edges.shape[0] - 1):\n int1 = self._intersect_edge_arrays(edges[i:i + 1], edges[i + 1:])\n int2 = self._intersect_edge_arrays(edges[i + 1:], edges[i:i + 1])\n err = np.geterr()\n np.seterr(divide='ignore', invalid='ignore')\n try:\n mask1 = (int1 >= 0) & (int1 <= 1)\n mask2 = (int2 >= 0) & (int2 <= 1)\n mask3 = mask1 & mask2\n finally:\n np.seterr(**err)\n inds = np.argwhere(mask3)[:, 0]\n if len(inds) == 0:\n continue\n h = int2[inds][:, np.newaxis]\n pts = edges[i, 0][np.newaxis, :] * (1.0 - h) + edges[i, 1][np.\n newaxis, :] * h\n edge_cuts = cuts.setdefault(i, [])\n for j, ind in enumerate(inds):\n if 0 < int2[ind] < 1:\n edge_cuts.append((int2[ind], pts[j]))\n if 0 < int1[ind] < 1:\n other_cuts = cuts.setdefault(ind + i + 1, [])\n other_cuts.append((int1[ind], pts[j]))\n for k, v in cuts.items():\n v.sort(key=lambda x: x[0])\n for i in range(len(v) - 2, -1, -1):\n if v[i][0] == v[i + 1][0]:\n v.pop(i + 1)\n return cuts\n", "role": "user" }, { "content": "find_edge_intersections", "role": "assistant" } ]
def x(self, a, b, c): ab = b - a ac = c - a return a + (ab * ac).sum() / (ac * ac).sum() * ac
projection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, a, b, c):\n ab = b - a\n ac = c - a\n return a + (ab * ac).sum() / (ac * ac).sum() * ac\n", "role": "user" }, { "content": "projection", "role": "assistant" } ]
def x(self, edge1, edge2): h12 = self._intersect_edge_arrays(self.pts[np.array(edge1)], self.pts[ np.array(edge2)]) h21 = self._intersect_edge_arrays(self.pts[np.array(edge2)], self.pts[ np.array(edge1)]) err = np.geterr() np.seterr(divide='ignore', invalid='ignore') try: out = 0 < h12 < 1 and 0 < h21 < 1 finally: np.seterr(**err) return out
edges_intersect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, edge1, edge2):\n h12 = self._intersect_edge_arrays(self.pts[np.array(edge1)], self.pts[\n np.array(edge2)])\n h21 = self._intersect_edge_arrays(self.pts[np.array(edge2)], self.pts[\n np.array(edge1)])\n err = np.geterr()\n np.seterr(divide='ignore', invalid='ignore')\n try:\n out = 0 < h12 < 1 and 0 < h21 < 1\n finally:\n np.seterr(**err)\n return out\n", "role": "user" }, { "content": "edges_intersect", "role": "assistant" } ]
def x(self, lines): return self._intersect_edge_arrays(lines[:, np.newaxis, ...], lines[np. newaxis, ...])
intersection_matrix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lines):\n return self._intersect_edge_arrays(lines[:, np.newaxis, ...], lines[np.\n newaxis, ...])\n", "role": "user" }, { "content": "intersection_matrix", "role": "assistant" } ]
def x(self, lines1, lines2): l1 = lines1[..., 1, :] - lines1[..., 0, :] l2 = lines2[..., 1, :] - lines2[..., 0, :] diff = lines1[..., 0, :] - lines2[..., 0, :] p = l1.copy()[..., ::-1] p[..., 0] *= -1 f = (l2 * p).sum(axis=-1) err = np.geterr() np.seterr(divide='ignore', invalid='ignore') try: h = (diff * p).sum(axis=-1) / f finally: np.seterr(**err) return h
intersect_edge_arrays
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lines1, lines2):\n l1 = lines1[..., 1, :] - lines1[..., 0, :]\n l2 = lines2[..., 1, :] - lines2[..., 0, :]\n diff = lines1[..., 0, :] - lines2[..., 0, :]\n p = l1.copy()[..., ::-1]\n p[..., 0] *= -1\n f = (l2 * p).sum(axis=-1)\n err = np.geterr()\n np.seterr(divide='ignore', invalid='ignore')\n try:\n h = (diff * p).sum(axis=-1) / f\n finally:\n np.seterr(**err)\n return h\n", "role": "user" }, { "content": "intersect_edge_arrays", "role": "assistant" } ]
def x(self, edge, point): v1 = self.pts[point] - self.pts[edge[0]] v2 = self.pts[edge[1]] - self.pts[edge[0]] c = np.cross(v1, v2) return 1 if c > 0 else -1 if c < 0 else 0
orientation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, edge, point):\n v1 = self.pts[point] - self.pts[edge[0]]\n v2 = self.pts[edge[1]] - self.pts[edge[0]]\n c = np.cross(v1, v2)\n return 1 if c > 0 else -1 if c < 0 else 0\n", "role": "user" }, { "content": "orientation", "role": "assistant" } ]
def x(ipython): import IPython ipy_version = LooseVersion(IPython.__version__) if ipy_version < LooseVersion('3.0.0'): ipython.write_err( "Your IPython version is older than version 3.0.0, the minimum for Vispy'sIPython backend. Please upgrade your IPythonversion." ) return _load_webgl_backend(ipython)
load_ipython_extension
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ipython):\n import IPython\n ipy_version = LooseVersion(IPython.__version__)\n if ipy_version < LooseVersion('3.0.0'):\n ipython.write_err(\n \"Your IPython version is older than version 3.0.0, the minimum for Vispy'sIPython backend. Please upgrade your IPythonversion.\"\n )\n return\n _load_webgl_backend(ipython)\n", "role": "user" }, { "content": "load_ipython_extension", "role": "assistant" } ]
def x(ipython): from .. import app app_instance = app.use_app('ipynb_webgl') if app_instance.backend_name == 'ipynb_webgl': ipython.write('Vispy IPython module has loaded successfully') else: ipython.write_err('Unable to load webgl backend of Vispy')
load_webgl_backend
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ipython):\n from .. import app\n app_instance = app.use_app('ipynb_webgl')\n if app_instance.backend_name == 'ipynb_webgl':\n ipython.write('Vispy IPython module has loaded successfully')\n else:\n ipython.write_err('Unable to load webgl backend of Vispy')\n", "role": "user" }, { "content": "load_webgl_backend", "role": "assistant" } ]
def x(self, mode=None): if self._need_update: self._update() program = self._programs[0] mode = mode or self._mode if self._indices_list is not None: program.draw(mode, self._indices_buffer) else: program.draw(mode)
draw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mode=None):\n if self._need_update:\n self._update()\n program = self._programs[0]\n mode = mode or self._mode\n if self._indices_list is not None:\n program.draw(mode, self._indices_buffer)\n else:\n program.draw(mode)\n", "role": "user" }, { "content": "draw", "role": "assistant" } ]
def x(data, sigma): if np.isscalar(sigma): sigma = (sigma,) * data.ndim baseline = data.mean() filtered = data - baseline for ax in range(data.ndim): s = float(sigma[ax]) if s == 0: continue ksize = int(s * 6) x = np.arange(-ksize, ksize) kernel = np.exp(-x ** 2 / (2 * s ** 2)) kshape = [1] * data.ndim kshape[ax] = len(kernel) kernel = kernel.reshape(kshape) shape = data.shape[ax] + ksize scale = 1.0 / (abs(s) * (2 * np.pi) ** 0.5) filtered = scale * np.fft.irfft(np.fft.rfft(filtered, shape, axis= ax) * np.fft.rfft(kernel, shape, axis=ax), axis=ax) sl = [slice(None)] * data.ndim sl[ax] = slice(filtered.shape[ax] - data.shape[ax], None, None) filtered = filtered[sl] return filtered + baseline
gaussian_filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, sigma):\n if np.isscalar(sigma):\n sigma = (sigma,) * data.ndim\n baseline = data.mean()\n filtered = data - baseline\n for ax in range(data.ndim):\n s = float(sigma[ax])\n if s == 0:\n continue\n ksize = int(s * 6)\n x = np.arange(-ksize, ksize)\n kernel = np.exp(-x ** 2 / (2 * s ** 2))\n kshape = [1] * data.ndim\n kshape[ax] = len(kernel)\n kernel = kernel.reshape(kshape)\n shape = data.shape[ax] + ksize\n scale = 1.0 / (abs(s) * (2 * np.pi) ** 0.5)\n filtered = scale * np.fft.irfft(np.fft.rfft(filtered, shape, axis=\n ax) * np.fft.rfft(kernel, shape, axis=ax), axis=ax)\n sl = [slice(None)] * data.ndim\n sl[ax] = slice(filtered.shape[ax] - data.shape[ax], None, None)\n filtered = filtered[sl]\n return filtered + baseline\n", "role": "user" }, { "content": "gaussian_filter", "role": "assistant" } ]
def x(offset, dtype=None): assert len(offset) == 3 x, y, z = offset M = np.array([[1.0, 0.0, 0.0, 0.0], [0.0, 1.0, 0.0, 0.0], [0.0, 0.0, 1.0, 0.0], [x, y, z, 1.0]], dtype) return M
translate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(offset, dtype=None):\n assert len(offset) == 3\n x, y, z = offset\n M = np.array([[1.0, 0.0, 0.0, 0.0], [0.0, 1.0, 0.0, 0.0], [0.0, 0.0, \n 1.0, 0.0], [x, y, z, 1.0]], dtype)\n return M\n", "role": "user" }, { "content": "translate", "role": "assistant" } ]
def x(s, dtype=None): assert len(s) == 3 return np.array(np.diag(np.concatenate([s, (1.0,)])), dtype)
scale
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, dtype=None):\n assert len(s) == 3\n return np.array(np.diag(np.concatenate([s, (1.0,)])), dtype)\n", "role": "user" }, { "content": "scale", "role": "assistant" } ]
def x(angle, axis, dtype=None): angle = np.radians(angle) assert len(axis) == 3 x, y, z = axis / np.linalg.norm(axis) c, s = math.cos(angle), math.sin(angle) cx, cy, cz = (1 - c) * x, (1 - c) * y, (1 - c) * z M = np.array([[cx * x + c, cy * x - z * s, cz * x + y * s, 0.0], [cx * y + z * s, cy * y + c, cz * y - x * s, 0.0], [cx * z - y * s, cy * z + x * s, cz * z + c, 0.0], [0.0, 0.0, 0.0, 1.0]], dtype).T return M
rotate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(angle, axis, dtype=None):\n angle = np.radians(angle)\n assert len(axis) == 3\n x, y, z = axis / np.linalg.norm(axis)\n c, s = math.cos(angle), math.sin(angle)\n cx, cy, cz = (1 - c) * x, (1 - c) * y, (1 - c) * z\n M = np.array([[cx * x + c, cy * x - z * s, cz * x + y * s, 0.0], [cx *\n y + z * s, cy * y + c, cz * y - x * s, 0.0], [cx * z - y * s, cy *\n z + x * s, cz * z + c, 0.0], [0.0, 0.0, 0.0, 1.0]], dtype).T\n return M\n", "role": "user" }, { "content": "rotate", "role": "assistant" } ]
def x(fovy, aspect, znear, zfar): assert znear != zfar h = math.tan(fovy / 360.0 * math.pi) * znear w = h * aspect return frustum(-w, w, -h, h, znear, zfar)
perspective
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fovy, aspect, znear, zfar):\n assert znear != zfar\n h = math.tan(fovy / 360.0 * math.pi) * znear\n w = h * aspect\n return frustum(-w, w, -h, h, znear, zfar)\n", "role": "user" }, { "content": "perspective", "role": "assistant" } ]
def x(points1, points2): A = np.ones((4, 4)) A[:, :3] = points1 B = np.ones((4, 4)) B[:, :3] = points2 matrix = np.eye(4) for i in range(3): matrix[i] = np.linalg.solve(A, B[:, i]) return matrix
affine_map
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(points1, points2):\n A = np.ones((4, 4))\n A[:, :3] = points1\n B = np.ones((4, 4))\n B[:, :3] = points2\n matrix = np.eye(4)\n for i in range(3):\n matrix[i] = np.linalg.solve(A, B[:, i])\n return matrix\n", "role": "user" }, { "content": "affine_map", "role": "assistant" } ]
def x(self, msg=None): if self._finished or self.disable: return self._finished = True if msg is not None: self(msg) self._new_msg('< Exiting %s, total time: %0.4f ms', self._name, (ptime. time() - self._firstTime) * 1000) type(self)._depth -= 1 if self._depth < 1: self.flush()
finish
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg=None):\n if self._finished or self.disable:\n return\n self._finished = True\n if msg is not None:\n self(msg)\n self._new_msg('< Exiting %s, total time: %0.4f ms', self._name, (ptime.\n time() - self._firstTime) * 1000)\n type(self)._depth -= 1\n if self._depth < 1:\n self.flush()\n", "role": "user" }, { "content": "finish", "role": "assistant" } ]
def x(): global config, _data_path, _allowed_config_keys app_dir = _get_vispy_app_dir() if app_dir is not None: _data_path = op.join(app_dir, 'data') _test_data_path = op.join(app_dir, 'test_data') else: _data_path = _test_data_path = None _allowed_config_keys = {'data_path': string_types, 'default_backend': string_types, 'gl_backend': string_types, 'gl_debug': (bool,), 'glir_file': string_types + file_types, 'include_path': list, 'logging_level': string_types, 'qt_lib': string_types, 'dpi': (int, type(None)), 'profile': string_types + (type(None),), 'audit_tests': (bool,), 'test_data_path': string_types + (type(None),)} default_config_options = {'data_path': _data_path, 'default_backend': '', 'gl_backend': 'gl2', 'gl_debug': False, 'glir_file': '', 'include_path': [], 'logging_level': 'info', 'qt_lib': 'any', 'dpi': None, 'profile': None, 'audit_tests': False, 'test_data_path': _test_data_path} config = Config(**default_config_options) try: config.update(**_load_config()) except Exception as err: raise Exception('Error while reading vispy config file "%s":\n %s' % (_get_config_fname(), err.message)) set_log_level(config['logging_level']) _parse_command_line_arguments()
init
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n global config, _data_path, _allowed_config_keys\n app_dir = _get_vispy_app_dir()\n if app_dir is not None:\n _data_path = op.join(app_dir, 'data')\n _test_data_path = op.join(app_dir, 'test_data')\n else:\n _data_path = _test_data_path = None\n _allowed_config_keys = {'data_path': string_types, 'default_backend':\n string_types, 'gl_backend': string_types, 'gl_debug': (bool,),\n 'glir_file': string_types + file_types, 'include_path': list,\n 'logging_level': string_types, 'qt_lib': string_types, 'dpi': (int,\n type(None)), 'profile': string_types + (type(None),), 'audit_tests':\n (bool,), 'test_data_path': string_types + (type(None),)}\n default_config_options = {'data_path': _data_path, 'default_backend':\n '', 'gl_backend': 'gl2', 'gl_debug': False, 'glir_file': '',\n 'include_path': [], 'logging_level': 'info', 'qt_lib': 'any', 'dpi':\n None, 'profile': None, 'audit_tests': False, 'test_data_path':\n _test_data_path}\n config = Config(**default_config_options)\n try:\n config.update(**_load_config())\n except Exception as err:\n raise Exception('Error while reading vispy config file \"%s\":\\n %s' %\n (_get_config_fname(), err.message))\n set_log_level(config['logging_level'])\n _parse_command_line_arguments()\n", "role": "user" }, { "content": "init", "role": "assistant" } ]
def x(): global config argnames = ['vispy-backend=', 'vispy-gl-debug', 'vispy-glir-file=', 'vispy-log=', 'vispy-help', 'vispy-profile=', 'vispy-cprofile', 'vispy-dpi=', 'vispy-audit-tests'] try: opts, args = getopt.getopt(sys.argv[1:], '', argnames) except getopt.GetoptError: opts = [] for o, a in opts: if o.startswith('--vispy'): if o == '--vispy-backend': config['default_backend'] = a logger.info('vispy backend: %s', a) elif o == '--vispy-gl-debug': config['gl_debug'] = True elif o == '--vispy-glir-file': config['glir_file'] = a elif o == '--vispy-log': if ',' in a: verbose, match = a.split(',') else: verbose = a match = None config['logging_level'] = a set_log_level(verbose, match) elif o == '--vispy-profile': config['profile'] = a elif o == '--vispy-cprofile': _enable_profiling() elif o == '--vispy-help': print(VISPY_HELP) elif o == '--vispy-dpi': config['dpi'] = int(a) elif o == '--vispy-audit-tests': config['audit_tests'] = True else: logger.warning('Unsupported vispy flag: %s' % o)
parse_command_line_arguments
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n global config\n argnames = ['vispy-backend=', 'vispy-gl-debug', 'vispy-glir-file=',\n 'vispy-log=', 'vispy-help', 'vispy-profile=', 'vispy-cprofile',\n 'vispy-dpi=', 'vispy-audit-tests']\n try:\n opts, args = getopt.getopt(sys.argv[1:], '', argnames)\n except getopt.GetoptError:\n opts = []\n for o, a in opts:\n if o.startswith('--vispy'):\n if o == '--vispy-backend':\n config['default_backend'] = a\n logger.info('vispy backend: %s', a)\n elif o == '--vispy-gl-debug':\n config['gl_debug'] = True\n elif o == '--vispy-glir-file':\n config['glir_file'] = a\n elif o == '--vispy-log':\n if ',' in a:\n verbose, match = a.split(',')\n else:\n verbose = a\n match = None\n config['logging_level'] = a\n set_log_level(verbose, match)\n elif o == '--vispy-profile':\n config['profile'] = a\n elif o == '--vispy-cprofile':\n _enable_profiling()\n elif o == '--vispy-help':\n print(VISPY_HELP)\n elif o == '--vispy-dpi':\n config['dpi'] = int(a)\n elif o == '--vispy-audit-tests':\n config['audit_tests'] = True\n else:\n logger.warning('Unsupported vispy flag: %s' % o)\n", "role": "user" }, { "content": "parse_command_line_arguments", "role": "assistant" } ]
def x(): user_dir = os.path.expanduser('~') path = None if sys.platform.startswith('win'): path1, path2 = os.getenv('LOCALAPPDATA'), os.getenv('APPDATA') path = path1 or path2 elif sys.platform.startswith('darwin'): path = os.path.join(user_dir, 'Library', 'Application Support') if not (path and os.path.isdir(path)): path = user_dir prefix = sys.prefix if getattr(sys, 'frozen', None): prefix = os.path.abspath(os.path.dirname(sys.path[0])) for reldir in ('settings', '../settings'): localpath = os.path.abspath(os.path.join(prefix, reldir)) if os.path.isdir(localpath): try: open(os.path.join(localpath, 'test.write'), 'wb').close() os.remove(os.path.join(localpath, 'test.write')) except IOError: pass else: path = localpath break appname = '.vispy' if path == user_dir else 'vispy' path = os.path.join(path, appname) return path
get_vispy_app_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n user_dir = os.path.expanduser('~')\n path = None\n if sys.platform.startswith('win'):\n path1, path2 = os.getenv('LOCALAPPDATA'), os.getenv('APPDATA')\n path = path1 or path2\n elif sys.platform.startswith('darwin'):\n path = os.path.join(user_dir, 'Library', 'Application Support')\n if not (path and os.path.isdir(path)):\n path = user_dir\n prefix = sys.prefix\n if getattr(sys, 'frozen', None):\n prefix = os.path.abspath(os.path.dirname(sys.path[0]))\n for reldir in ('settings', '../settings'):\n localpath = os.path.abspath(os.path.join(prefix, reldir))\n if os.path.isdir(localpath):\n try:\n open(os.path.join(localpath, 'test.write'), 'wb').close()\n os.remove(os.path.join(localpath, 'test.write'))\n except IOError:\n pass\n else:\n path = localpath\n break\n appname = '.vispy' if path == user_dir else 'vispy'\n path = os.path.join(path, appname)\n return path\n", "role": "user" }, { "content": "get_vispy_app_dir", "role": "assistant" } ]
def x(): directory = _get_vispy_app_dir() if directory is None: return None fname = op.join(directory, 'vispy.json') if os.environ.get('_VISPY_CONFIG_TESTING', None) is not None: fname = op.join(_TempDir(), 'vispy.json') return fname
get_config_fname
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n directory = _get_vispy_app_dir()\n if directory is None:\n return None\n fname = op.join(directory, 'vispy.json')\n if os.environ.get('_VISPY_CONFIG_TESTING', None) is not None:\n fname = op.join(_TempDir(), 'vispy.json')\n return fname\n", "role": "user" }, { "content": "get_config_fname", "role": "assistant" } ]
def x(): fname = _get_config_fname() if fname is None or not op.isfile(fname): return dict() with open(fname, 'r') as fid: config = json.load(fid) return config
load_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n fname = _get_config_fname()\n if fname is None or not op.isfile(fname):\n return dict()\n with open(fname, 'r') as fid:\n config = json.load(fid)\n return config\n", "role": "user" }, { "content": "load_config", "role": "assistant" } ]
def x(**kwargs): if kwargs == {}: kwargs = config._config current_config = _load_config() current_config.update(**kwargs) fname = _get_config_fname() if fname is None: raise RuntimeError('config filename could not be determined') if not op.isdir(op.dirname(fname)): os.mkdir(op.dirname(fname)) with open(fname, 'w') as fid: json.dump(current_config, fid, sort_keys=True, indent=0)
save_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**kwargs):\n if kwargs == {}:\n kwargs = config._config\n current_config = _load_config()\n current_config.update(**kwargs)\n fname = _get_config_fname()\n if fname is None:\n raise RuntimeError('config filename could not be determined')\n if not op.isdir(op.dirname(fname)):\n os.mkdir(op.dirname(fname))\n with open(fname, 'w') as fid:\n json.dump(current_config, fid, sort_keys=True, indent=0)\n", "role": "user" }, { "content": "save_config", "role": "assistant" } ]
def x(directory=None, create=False, save=False): if directory is None: directory = _data_path if _data_path is None: raise IOError( 'default path cannot be determined, please set it manually (directory != None)' ) if not op.isdir(directory): if not create: raise IOError( 'directory "%s" does not exist, perhaps try create=True to create it?' % directory) os.mkdir(directory) config.update(data_path=directory) if save: save_config(data_path=directory)
set_data_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(directory=None, create=False, save=False):\n if directory is None:\n directory = _data_path\n if _data_path is None:\n raise IOError(\n 'default path cannot be determined, please set it manually (directory != None)'\n )\n if not op.isdir(directory):\n if not create:\n raise IOError(\n 'directory \"%s\" does not exist, perhaps try create=True to create it?'\n % directory)\n os.mkdir(directory)\n config.update(data_path=directory)\n if save:\n save_config(data_path=directory)\n", "role": "user" }, { "content": "set_data_dir", "role": "assistant" } ]
def x(): import cProfile import atexit global _profiler _profiler = cProfile.Profile() _profiler.enable() atexit.register(_profile_atexit)
enable_profiling
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n import cProfile\n import atexit\n global _profiler\n _profiler = cProfile.Profile()\n _profiler.enable()\n atexit.register(_profile_atexit)\n", "role": "user" }, { "content": "enable_profiling", "role": "assistant" } ]
def x(fname=None, overwrite=False): if fname is not None and op.isfile(fname) and not overwrite: raise IOError('file exists, use overwrite=True to overwrite') out = '' try: from ..app import use_app, Canvas from ..app.backends import BACKEND_NAMES from ..gloo import gl from ..testing import has_backend with use_log_level('warning'): app = use_app(call_reuse=False) out += 'Platform: %s\n' % platform.platform() out += 'Python: %s\n' % str(sys.version).replace('\n', ' ') out += 'Backend: %s\n' % app.backend_name for backend in BACKEND_NAMES: if backend.startswith('ipynb_'): continue with use_log_level('warning', print_msg=False): which = has_backend(backend, out=['which'])[1] out += '{0:<9} {1}\n'.format(backend + ':', which) out += '\n' canvas = Canvas('Test', (10, 10), show=False, app=app) canvas._backend._vispy_set_current() out += 'GL version: %r\n' % (gl.glGetParameter(gl.GL_VERSION),) x_ = gl.GL_MAX_TEXTURE_SIZE out += 'MAX_TEXTURE_SIZE: %r\n' % (gl.glGetParameter(x_),) out += 'Extensions: %r\n' % (gl.glGetParameter(gl.GL_EXTENSIONS),) canvas.close() except Exception: out += '\nInfo-gathering error:\n%s' % traceback.format_exc() pass if fname is not None: with open(fname, 'w') as fid: fid.write(out) return out
sys_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fname=None, overwrite=False):\n if fname is not None and op.isfile(fname) and not overwrite:\n raise IOError('file exists, use overwrite=True to overwrite')\n out = ''\n try:\n from ..app import use_app, Canvas\n from ..app.backends import BACKEND_NAMES\n from ..gloo import gl\n from ..testing import has_backend\n with use_log_level('warning'):\n app = use_app(call_reuse=False)\n out += 'Platform: %s\\n' % platform.platform()\n out += 'Python: %s\\n' % str(sys.version).replace('\\n', ' ')\n out += 'Backend: %s\\n' % app.backend_name\n for backend in BACKEND_NAMES:\n if backend.startswith('ipynb_'):\n continue\n with use_log_level('warning', print_msg=False):\n which = has_backend(backend, out=['which'])[1]\n out += '{0:<9} {1}\\n'.format(backend + ':', which)\n out += '\\n'\n canvas = Canvas('Test', (10, 10), show=False, app=app)\n canvas._backend._vispy_set_current()\n out += 'GL version: %r\\n' % (gl.glGetParameter(gl.GL_VERSION),)\n x_ = gl.GL_MAX_TEXTURE_SIZE\n out += 'MAX_TEXTURE_SIZE: %r\\n' % (gl.glGetParameter(x_),)\n out += 'Extensions: %r\\n' % (gl.glGetParameter(gl.GL_EXTENSIONS),)\n canvas.close()\n except Exception:\n out += '\\nInfo-gathering error:\\n%s' % traceback.format_exc()\n pass\n if fname is not None:\n with open(fname, 'w') as fid:\n fid.write(out)\n return out\n", "role": "user" }, { "content": "sys_info", "role": "assistant" } ]
def x(vertices, indices, tolerance=0.001): n = len(vertices) V = np.zeros(n, dtype=[('pos', np.float32, 3)]) V['pos'][:, 0] = vertices[:, 0] V['pos'][:, 1] = vertices[:, 1] V['pos'][:, 2] = vertices[:, 2] epsilon = 0.001 decimals = int(np.log(epsilon) / np.log(1 / 10.0)) V_ = np.zeros_like(V) X = V['pos'][:, 0].round(decimals=decimals) X[np.where(abs(X) < epsilon)] = 0 V_['pos'][:, 0] = X Y = V['pos'][:, 1].round(decimals=decimals) Y[np.where(abs(Y) < epsilon)] = 0 V_['pos'][:, 1] = Y Z = V['pos'][:, 2].round(decimals=decimals) Z[np.where(abs(Z) < epsilon)] = 0 V_['pos'][:, 2] = Z U, RI = np.unique(V_, return_inverse=True) indices = indices.ravel() I_ = indices.copy().ravel() for i in range(len(indices)): I_[i] = RI[indices[i]] I_ = I_.reshape(len(indices) / 3, 3) return U.view(np.float32).reshape(len(U), 3), I_, RI
compact
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(vertices, indices, tolerance=0.001):\n n = len(vertices)\n V = np.zeros(n, dtype=[('pos', np.float32, 3)])\n V['pos'][:, 0] = vertices[:, 0]\n V['pos'][:, 1] = vertices[:, 1]\n V['pos'][:, 2] = vertices[:, 2]\n epsilon = 0.001\n decimals = int(np.log(epsilon) / np.log(1 / 10.0))\n V_ = np.zeros_like(V)\n X = V['pos'][:, 0].round(decimals=decimals)\n X[np.where(abs(X) < epsilon)] = 0\n V_['pos'][:, 0] = X\n Y = V['pos'][:, 1].round(decimals=decimals)\n Y[np.where(abs(Y) < epsilon)] = 0\n V_['pos'][:, 1] = Y\n Z = V['pos'][:, 2].round(decimals=decimals)\n Z[np.where(abs(Z) < epsilon)] = 0\n V_['pos'][:, 2] = Z\n U, RI = np.unique(V_, return_inverse=True)\n indices = indices.ravel()\n I_ = indices.copy().ravel()\n for i in range(len(indices)):\n I_[i] = RI[indices[i]]\n I_ = I_.reshape(len(indices) / 3, 3)\n return U.view(np.float32).reshape(len(U), 3), I_, RI\n", "role": "user" }, { "content": "compact", "role": "assistant" } ]
def x(vertices, indices): vertices, indices, mapping = compact(vertices, indices) T = vertices[indices] N = np.cross(T[:, 1] - T[:, 0], T[:, 2] - T[:, 0]) L = np.sqrt(np.sum(N * N, axis=1)) L[L == 0] = 1.0 N /= L[:, np.newaxis] normals = np.zeros_like(vertices) normals[indices[:, 0]] += N normals[indices[:, 1]] += N normals[indices[:, 2]] += N L = np.sqrt(np.sum(normals * normals, axis=1)) L[L == 0] = 1.0 normals /= L[:, np.newaxis] return normals[mapping]
normals
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(vertices, indices):\n vertices, indices, mapping = compact(vertices, indices)\n T = vertices[indices]\n N = np.cross(T[:, 1] - T[:, 0], T[:, 2] - T[:, 0])\n L = np.sqrt(np.sum(N * N, axis=1))\n L[L == 0] = 1.0\n N /= L[:, np.newaxis]\n normals = np.zeros_like(vertices)\n normals[indices[:, 0]] += N\n normals[indices[:, 1]] += N\n normals[indices[:, 2]] += N\n L = np.sqrt(np.sum(normals * normals, axis=1))\n L[L == 0] = 1.0\n normals /= L[:, np.newaxis]\n return normals[mapping]\n", "role": "user" }, { "content": "normals", "role": "assistant" } ]
def x(self): if self._backend is not None: return assert self._app.native self._app.backend_module.CanvasBackend(self, **self._backend_kwargs) self._backend_kwargs = None self.events.draw.connect(self.context.flush_commands, position='last') if self._autoswap: self.events.draw.connect((self, 'swap_buffers'), ref=True, position ='last')
create_native
[ { "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._backend is not None:\n return\n assert self._app.native\n self._app.backend_module.CanvasBackend(self, **self._backend_kwargs)\n self._backend_kwargs = None\n self.events.draw.connect(self.context.flush_commands, position='last')\n if self._autoswap:\n self.events.draw.connect((self, 'swap_buffers'), ref=True, position\n ='last')\n", "role": "user" }, { "content": "create_native", "role": "assistant" } ]
def x(self, fun): name = fun.__name__ if not name.startswith('on_'): raise ValueError( 'When connecting a function based on its name, the name should start with "on_"' ) eventname = name[3:] try: emitter = self.events[eventname] except KeyError: raise ValueError('Event "%s" not available on this canvas.' % eventname ) emitter.connect(fun)
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fun):\n name = fun.__name__\n if not name.startswith('on_'):\n raise ValueError(\n 'When connecting a function based on its name, the name should start with \"on_\"'\n )\n eventname = name[3:]\n try:\n emitter = self.events[eventname]\n except KeyError:\n raise ValueError('Event \"%s\" not available on this canvas.' % eventname\n )\n emitter.connect(fun)\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self): size = self._backend._vispy_get_size() return size[0] // self._px_scale, size[1] // self._px_scale
size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n size = self._backend._vispy_get_size()\n return size[0] // self._px_scale, size[1] // self._px_scale\n", "role": "user" }, { "content": "size", "role": "assistant" } ]
def x(self, visible=True, run=False): self._backend._vispy_set_visible(visible) if run: self.app.run()
show
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, visible=True, run=False):\n self._backend._vispy_set_visible(visible)\n if run:\n self.app.run()\n", "role": "user" }, { "content": "show", "role": "assistant" } ]
def x(self): if self._backend is not None and not self._closed: self._closed = True self.events.close() self._backend._vispy_close() forget_canvas(self)
close
[ { "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._backend is not None and not self._closed:\n self._closed = True\n self.events.close()\n self._backend._vispy_close()\n forget_canvas(self)\n", "role": "user" }, { "content": "close", "role": "assistant" } ]
def x(self, event): self._frame_count += 1 diff = time() - self._basetime if diff > self._fps_window: self._fps = self._frame_count / diff self._basetime = time() self._frame_count = 0 self._fps_callback(self.fps)
update_fps
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n self._frame_count += 1\n diff = time() - self._basetime\n if diff > self._fps_window:\n self._fps = self._frame_count / diff\n self._basetime = time()\n self._frame_count = 0\n self._fps_callback(self.fps)\n", "role": "user" }, { "content": "update_fps", "role": "assistant" } ]
def x(self, window=1, callback='%1.1f FPS'): self.events.draw.disconnect(self._update_fps) if callback: if isinstance(callback, string_types): callback_str = callback def x(x): print(callback_str % x) self._fps_window = window self.events.draw.connect(self._update_fps) self._fps_callback = callback else: self._fps_callback = None
measure_fps
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, window=1, callback='%1.1f FPS'):\n self.events.draw.disconnect(self._update_fps)\n if callback:\n if isinstance(callback, string_types):\n callback_str = callback\n\n def x(x):\n print(callback_str % x)\n self._fps_window = window\n self.events.draw.connect(self._update_fps)\n self._fps_callback = callback\n else:\n self._fps_callback = None\n", "role": "user" }, { "content": "measure_fps", "role": "assistant" } ]
def x(self): self.set_current() size = self.physical_size fbo = FrameBuffer(color=RenderBuffer(size[::-1]), depth=RenderBuffer( size[::-1])) try: fbo.activate() self.events.draw() return fbo.read() finally: fbo.deactivate()
render
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.set_current()\n size = self.physical_size\n fbo = FrameBuffer(color=RenderBuffer(size[::-1]), depth=RenderBuffer(\n size[::-1]))\n try:\n fbo.activate()\n self.events.draw()\n return fbo.read()\n finally:\n fbo.deactivate()\n", "role": "user" }, { "content": "render", "role": "assistant" } ]
def x(self): if not self.is_dragging: return None event = self events = [] while True: if event is None or event.type == 'mouse_press': break events.append(event) event = event.last_event return events[::-1]
drag_events
[ { "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.is_dragging:\n return None\n event = self\n events = []\n while True:\n if event is None or event.type == 'mouse_press':\n break\n events.append(event)\n event = event.last_event\n return events[::-1]\n", "role": "user" }, { "content": "drag_events", "role": "assistant" } ]
def x(self): events = self.drag_events() if events is None: return None trail = np.empty((len(events), 2), dtype=int) for i, ev in enumerate(events): trail[i] = ev.pos return trail
trail
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n events = self.drag_events()\n if events is None:\n return None\n trail = np.empty((len(events), 2), dtype=int)\n for i, ev in enumerate(events):\n trail[i] = ev.pos\n return trail\n", "role": "user" }, { "content": "trail", "role": "assistant" } ]
def x(self, width_min): if width_min is None: self._width_limits[0] = 0 return width_min = float(width_min) assert 0 <= width_min self._width_limits[0] = width_min self._update_layout()
width_min
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, width_min):\n if width_min is None:\n self._width_limits[0] = 0\n return\n width_min = float(width_min)\n assert 0 <= width_min\n self._width_limits[0] = width_min\n self._update_layout()\n", "role": "user" }, { "content": "width_min", "role": "assistant" } ]
def x(self, width_max): if width_max is None: self._width_limits[1] = None return width_max = float(width_max) assert self.width_min <= width_max self._width_limits[1] = width_max self._update_layout()
width_max
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, width_max):\n if width_max is None:\n self._width_limits[1] = None\n return\n width_max = float(width_max)\n assert self.width_min <= width_max\n self._width_limits[1] = width_max\n self._update_layout()\n", "role": "user" }, { "content": "width_max", "role": "assistant" } ]
def x(self, height_min): if height_min is None: self._height_limits[0] = 0 return height_min = float(height_min) assert height_min >= 0 self._height_limits[0] = height_min self._update_layout()
height_min
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, height_min):\n if height_min is None:\n self._height_limits[0] = 0\n return\n height_min = float(height_min)\n assert height_min >= 0\n self._height_limits[0] = height_min\n self._update_layout()\n", "role": "user" }, { "content": "height_min", "role": "assistant" } ]
def x(self, height_max): if height_max is None: self._height_limits[1] = None return height_max = float(height_max) assert 0 <= self.height_min <= height_max self._height_limits[1] = height_max self._update_layout()
height_max
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, height_max):\n if height_max is None:\n self._height_limits[1] = None\n return\n height_max = float(height_max)\n assert 0 <= self.height_min <= height_max\n self._height_limits[1] = height_max\n self._update_layout()\n", "role": "user" }, { "content": "height_max", "role": "assistant" } ]
def x(self): m = self.margin + self._border_width + self.padding if not self.border_color.is_blank: m += 1 return Rect((m, m), (self.size[0] - 2 * m, self.size[1] - 2 * m))
inner_rect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n m = self.margin + self._border_width + self.padding\n if not self.border_color.is_blank:\n m += 1\n return Rect((m, m), (self.size[0] - 2 * m, self.size[1] - 2 * m))\n", "role": "user" }, { "content": "inner_rect", "role": "assistant" } ]
def x(self): if self.clip_children and self._clipper is None: self._clipper = Clipper() elif not self.clip_children: self._clipper = None if self._clipper is None: return self._clipper.rect = self.inner_rect self._clipper.transform = self.get_transform('framebuffer', 'visual')
update_clipper
[ { "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.clip_children and self._clipper is None:\n self._clipper = Clipper()\n elif not self.clip_children:\n self._clipper = None\n if self._clipper is None:\n return\n self._clipper.rect = self.inner_rect\n self._clipper.transform = self.get_transform('framebuffer', 'visual')\n", "role": "user" }, { "content": "update_clipper", "role": "assistant" } ]
def x(self): w = self._border_width m = self.margin l = b = m r = self.size[0] - m t = self.size[1] - m pos = np.array([[l, b], [l + w, b + w], [r, b], [r - w, b + w], [r, t], [r - w, t - w], [l, t], [l + w, t - w]], dtype=np.float32) faces = np.array([[0, 2, 1], [1, 2, 3], [2, 4, 3], [3, 5, 4], [4, 5, 6], [5, 7, 6], [6, 0, 7], [7, 0, 1], [5, 3, 1], [1, 5, 7]], dtype=np.int32) start = 8 if self._border_color.is_blank else 0 stop = 8 if self._bgcolor.is_blank else 10 face_colors = None if self._face_colors is not None: face_colors = self._face_colors[start:stop] self._mesh.set_data(vertices=pos, faces=faces[start:stop], face_colors= face_colors) self._picking_mesh.set_data(vertices=pos[::2])
update_line
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n w = self._border_width\n m = self.margin\n l = b = m\n r = self.size[0] - m\n t = self.size[1] - m\n pos = np.array([[l, b], [l + w, b + w], [r, b], [r - w, b + w], [r, t],\n [r - w, t - w], [l, t], [l + w, t - w]], dtype=np.float32)\n faces = np.array([[0, 2, 1], [1, 2, 3], [2, 4, 3], [3, 5, 4], [4, 5, 6],\n [5, 7, 6], [6, 0, 7], [7, 0, 1], [5, 3, 1], [1, 5, 7]], dtype=np.int32)\n start = 8 if self._border_color.is_blank else 0\n stop = 8 if self._bgcolor.is_blank else 10\n face_colors = None\n if self._face_colors is not None:\n face_colors = self._face_colors[start:stop]\n self._mesh.set_data(vertices=pos, faces=faces[start:stop], face_colors=\n face_colors)\n self._picking_mesh.set_data(vertices=pos[::2])\n", "role": "user" }, { "content": "update_line", "role": "assistant" } ]
def x(self, widget): self._widgets.append(widget) widget.parent = self self._update_child_widgets() return widget
add_widget
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, widget):\n self._widgets.append(widget)\n widget.parent = self\n self._update_child_widgets()\n return widget\n", "role": "user" }, { "content": "add_widget", "role": "assistant" } ]
def x(self, *args, **kwargs): from .grid import Grid grid = Grid(*args, **kwargs) return self.add_widget(grid)
add_grid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n from .grid import Grid\n grid = Grid(*args, **kwargs)\n return self.add_widget(grid)\n", "role": "user" }, { "content": "add_grid", "role": "assistant" } ]
def x(self, *args, **kwargs): from .viewbox import ViewBox view = ViewBox(*args, **kwargs) return self.add_widget(view)
add_view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n from .viewbox import ViewBox\n view = ViewBox(*args, **kwargs)\n return self.add_widget(view)\n", "role": "user" }, { "content": "add_view", "role": "assistant" } ]
def x(self, widget): self._widgets.remove(widget) widget.parent = None self._update_child_widgets()
remove_widget
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, widget):\n self._widgets.remove(widget)\n widget.parent = None\n self._update_child_widgets()\n", "role": "user" }, { "content": "remove_widget", "role": "assistant" } ]
def x(value): pack = np.zeros(value.shape + (4,), dtype=np.ubyte) for i in range(4): value, pack[..., i] = np.modf(value * 256.0) return pack
pack_unit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n pack = np.zeros(value.shape + (4,), dtype=np.ubyte)\n for i in range(4):\n value, pack[..., i] = np.modf(value * 256.0)\n return pack\n", "role": "user" }, { "content": "pack_unit", "role": "assistant" } ]
def x(value): return np.fromstring(value.tostring(), np.ubyte).reshape(value.shape + (4,) )
pack_ieee
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n return np.fromstring(value.tostring(), np.ubyte).reshape(value.shape + (4,)\n )\n", "role": "user" }, { "content": "pack_ieee", "role": "assistant" } ]
def x(packed=True): names = ('Bilinear', 'Hanning', 'Hamming', 'Hermite', 'Kaiser', 'Quadric', 'Bicubic', 'CatRom', 'Mitchell', 'Spline16', 'Spline36', 'Gaussian', 'Bessel', 'Sinc', 'Lanczos', 'Blackman', 'Nearest') kernel = np.load(op.join(DATA_DIR, 'spatial-filters.npy')) if packed: kernel = pack_unit(kernel) return kernel, names
load_spatial_filters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(packed=True):\n names = ('Bilinear', 'Hanning', 'Hamming', 'Hermite', 'Kaiser',\n 'Quadric', 'Bicubic', 'CatRom', 'Mitchell', 'Spline16', 'Spline36',\n 'Gaussian', 'Bessel', 'Sinc', 'Lanczos', 'Blackman', 'Nearest')\n kernel = np.load(op.join(DATA_DIR, 'spatial-filters.npy'))\n if packed:\n kernel = pack_unit(kernel)\n return kernel, names\n", "role": "user" }, { "content": "load_spatial_filters", "role": "assistant" } ]
def x(): vals = _list_fonts() for font in _vispy_fonts: vals += [font] if font not in vals else [] vals = sorted(vals, key=lambda s: s.lower()) return vals
list_fonts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n vals = _list_fonts()\n for font in _vispy_fonts:\n vals += [font] if font not in vals else []\n vals = sorted(vals, key=lambda s: s.lower())\n return vals\n", "role": "user" }, { "content": "list_fonts", "role": "assistant" } ]
def x(limit, handler): def x(f): def x(*args, **kwargs): old_handler = signal.getsignal(signal.SIGALRM) signal.signal(signal.SIGALRM, timeout_handler) signal.alarm(limit) try: res = f(*args, **kwargs) except Timeout: handler(limit, f, args, kwargs) else: return res finally: signal.signal(signal.SIGALRM, old_handler) signal.alarm(0) return wrapped_f return wrapper
timeout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(limit, handler):\n\n def x(f):\n\n def x(*args, **kwargs):\n old_handler = signal.getsignal(signal.SIGALRM)\n signal.signal(signal.SIGALRM, timeout_handler)\n signal.alarm(limit)\n try:\n res = f(*args, **kwargs)\n except Timeout:\n handler(limit, f, args, kwargs)\n else:\n return res\n finally:\n signal.signal(signal.SIGALRM, old_handler)\n signal.alarm(0)\n return wrapped_f\n return wrapper\n", "role": "user" }, { "content": "timeout", "role": "assistant" } ]
def x(self, kwargs): app = self._vispy_canvas.app capability = app.backend_module.capability if kwargs['context'].shared.name: if not capability['context']: raise RuntimeError('Cannot share context with this backend') for key in [key for key, val in capability.items() if not val]: if key in ['context', 'multi_window', 'scroll']: continue invert = key in ['resizable', 'decorate'] if bool(kwargs[key]) - invert: raise RuntimeError('Config %s is not supported by backend %s' % (key, app.backend_name)) out = SimpleBunch() keys = ['title', 'size', 'position', 'show', 'vsync', 'resizable', 'decorate', 'fullscreen', 'parent', 'context', 'always_on_top'] for key in keys: out[key] = kwargs[key] return out
process_backend_kwargs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, kwargs):\n app = self._vispy_canvas.app\n capability = app.backend_module.capability\n if kwargs['context'].shared.name:\n if not capability['context']:\n raise RuntimeError('Cannot share context with this backend')\n for key in [key for key, val in capability.items() if not val]:\n if key in ['context', 'multi_window', 'scroll']:\n continue\n invert = key in ['resizable', 'decorate']\n if bool(kwargs[key]) - invert:\n raise RuntimeError('Config %s is not supported by backend %s' %\n (key, app.backend_name))\n out = SimpleBunch()\n keys = ['title', 'size', 'position', 'show', 'vsync', 'resizable',\n 'decorate', 'fullscreen', 'parent', 'context', 'always_on_top']\n for key in keys:\n out[key] = kwargs[key]\n return out\n", "role": "user" }, { "content": "process_backend_kwargs", "role": "assistant" } ]
def x(self, init): self._speed *= 0.0 w, h = self._viewbox.size w, h = float(w), float(h) x1, y1, z1 = self._xlim[0], self._ylim[0], self._zlim[0] x2, y2, z2 = self._xlim[1], self._ylim[1], self._zlim[1] rx, ry, rz = x2 - x1, y2 - y1, z2 - z1 if w / h > 1: rx /= w / h ry /= w / h else: rz /= h / w self._scale_factor = max(rx, ry, rz) / 3.0 margin = np.mean([rx, ry, rz]) * 0.1 self._center = x1 - margin, y1 - margin, z1 + margin yaw = 45 * self._flip_factors[0] pitch = -90 - 20 * self._flip_factors[2] if self._flip_factors[1] < 0: yaw += 90 * np.sign(self._flip_factors[0]) q1 = Quaternion.create_from_axis_angle(pitch * math.pi / 180, 1, 0, 0) q2 = Quaternion.create_from_axis_angle(0 * math.pi / 180, 0, 1, 0) q3 = Quaternion.create_from_axis_angle(yaw * math.pi / 180, 0, 0, 1) self._rotation1 = (q1 * q2 * q3).normalize() self._rotation2 = Quaternion() self.view_changed()
set_range
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, init):\n self._speed *= 0.0\n w, h = self._viewbox.size\n w, h = float(w), float(h)\n x1, y1, z1 = self._xlim[0], self._ylim[0], self._zlim[0]\n x2, y2, z2 = self._xlim[1], self._ylim[1], self._zlim[1]\n rx, ry, rz = x2 - x1, y2 - y1, z2 - z1\n if w / h > 1:\n rx /= w / h\n ry /= w / h\n else:\n rz /= h / w\n self._scale_factor = max(rx, ry, rz) / 3.0\n margin = np.mean([rx, ry, rz]) * 0.1\n self._center = x1 - margin, y1 - margin, z1 + margin\n yaw = 45 * self._flip_factors[0]\n pitch = -90 - 20 * self._flip_factors[2]\n if self._flip_factors[1] < 0:\n yaw += 90 * np.sign(self._flip_factors[0])\n q1 = Quaternion.create_from_axis_angle(pitch * math.pi / 180, 1, 0, 0)\n q2 = Quaternion.create_from_axis_angle(0 * math.pi / 180, 0, 1, 0)\n q3 = Quaternion.create_from_axis_angle(yaw * math.pi / 180, 0, 0, 1)\n self._rotation1 = (q1 * q2 * q3).normalize()\n self._rotation2 = Quaternion()\n self.view_changed()\n", "role": "user" }, { "content": "set_range", "role": "assistant" } ]
def x(self, event): rel_speed = event.dt rel_acc = 0.1 pf, pr, pl, pu = self._get_directions() self._speed += self._acc * rel_acc reduce = np.array([0.05, 0.05, 0.05, 0.1, 0.1, 0.1]) reduce[self._brake > 0] = 0.2 self._speed -= self._speed * reduce if np.abs(self._speed).max() < 0.05: self._speed *= 0.0 if self._speed[:3].any(): dv = np.array([(1.0 / d) for d in self._flip_factors]) vf = pf * dv * rel_speed * self._scale_factor vr = pr * dv * rel_speed * self._scale_factor vu = pu * dv * rel_speed * self._scale_factor direction = vf, vr, vu center_loc = np.array(self._center, dtype='float32') center_loc += self._speed[0] * direction[0] + self._speed[1 ] * direction[1] + self._speed[2] * direction[2] self._center = tuple(center_loc) roll_angle = 0 if self._speed[3:].any(): angleGain = np.array([1.0, 1.5, 1.0]) * 3 * math.pi / 180 angles = self._speed[3:] * angleGain q1 = Quaternion.create_from_axis_angle(angles[0], -1, 0, 0) q2 = Quaternion.create_from_axis_angle(angles[1], 0, 1, 0) q3 = Quaternion.create_from_axis_angle(angles[2], 0, 0, -1) q = q1 * q2 * q3 self._rotation1 = (q * self._rotation1).normalize() if self.auto_roll: up = {'x': (1, 0, 0), 'y': (0, 1, 0), 'z': (0, 0, 1)}[self.up[1]] up = np.array(up) * {'+': +1, '-': -1}[self.up[0]] def x(p1, p2): return np.arccos(p1.dot(p2)) ar = angle(pr, up) al = angle(pl, up) af = angle(pf, up) roll_angle = math.sin(0.5 * (al - ar)) roll_angle *= abs(math.sin(af)) if abs(roll_angle) < 0.05: roll_angle = 0 if roll_angle: roll_angle = np.sign(roll_angle) * np.abs(roll_angle) ** 0.5 angle_correction = 1.0 * roll_angle * math.pi / 180 q = Quaternion.create_from_axis_angle(angle_correction, 0, 0, 1) self._rotation1 = (q * self._rotation1).normalize() if self._speed.any() or roll_angle or self._update_from_mouse: self._update_from_mouse = False self.view_changed()
on_timer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n rel_speed = event.dt\n rel_acc = 0.1\n pf, pr, pl, pu = self._get_directions()\n self._speed += self._acc * rel_acc\n reduce = np.array([0.05, 0.05, 0.05, 0.1, 0.1, 0.1])\n reduce[self._brake > 0] = 0.2\n self._speed -= self._speed * reduce\n if np.abs(self._speed).max() < 0.05:\n self._speed *= 0.0\n if self._speed[:3].any():\n dv = np.array([(1.0 / d) for d in self._flip_factors])\n vf = pf * dv * rel_speed * self._scale_factor\n vr = pr * dv * rel_speed * self._scale_factor\n vu = pu * dv * rel_speed * self._scale_factor\n direction = vf, vr, vu\n center_loc = np.array(self._center, dtype='float32')\n center_loc += self._speed[0] * direction[0] + self._speed[1\n ] * direction[1] + self._speed[2] * direction[2]\n self._center = tuple(center_loc)\n roll_angle = 0\n if self._speed[3:].any():\n angleGain = np.array([1.0, 1.5, 1.0]) * 3 * math.pi / 180\n angles = self._speed[3:] * angleGain\n q1 = Quaternion.create_from_axis_angle(angles[0], -1, 0, 0)\n q2 = Quaternion.create_from_axis_angle(angles[1], 0, 1, 0)\n q3 = Quaternion.create_from_axis_angle(angles[2], 0, 0, -1)\n q = q1 * q2 * q3\n self._rotation1 = (q * self._rotation1).normalize()\n if self.auto_roll:\n up = {'x': (1, 0, 0), 'y': (0, 1, 0), 'z': (0, 0, 1)}[self.up[1]]\n up = np.array(up) * {'+': +1, '-': -1}[self.up[0]]\n\n def x(p1, p2):\n return np.arccos(p1.dot(p2))\n ar = angle(pr, up)\n al = angle(pl, up)\n af = angle(pf, up)\n roll_angle = math.sin(0.5 * (al - ar))\n roll_angle *= abs(math.sin(af))\n if abs(roll_angle) < 0.05:\n roll_angle = 0\n if roll_angle:\n roll_angle = np.sign(roll_angle) * np.abs(roll_angle) ** 0.5\n angle_correction = 1.0 * roll_angle * math.pi / 180\n q = Quaternion.create_from_axis_angle(angle_correction, 0, 0, 1)\n self._rotation1 = (q * self._rotation1).normalize()\n if self._speed.any() or roll_angle or self._update_from_mouse:\n self._update_from_mouse = False\n self.view_changed()\n", "role": "user" }, { "content": "on_timer", "role": "assistant" } ]
def x(self, event): PerspectiveCamera.viewbox_key_event(self, event) if event.handled or not self.interactive: return if not self._timer.running: self._timer.start() if event.key in self._keymap: val_dims = self._keymap[event.key] val = val_dims[0] if val == 0: vec = self._brake val = 1 else: vec = self._acc if event.type == 'key_release': val = 0 for dim in val_dims[1:]: factor = 1.0 vec[dim - 1] = val * factor
viewbox_key_event
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n PerspectiveCamera.viewbox_key_event(self, event)\n if event.handled or not self.interactive:\n return\n if not self._timer.running:\n self._timer.start()\n if event.key in self._keymap:\n val_dims = self._keymap[event.key]\n val = val_dims[0]\n if val == 0:\n vec = self._brake\n val = 1\n else:\n vec = self._acc\n if event.type == 'key_release':\n val = 0\n for dim in val_dims[1:]:\n factor = 1.0\n vec[dim - 1] = val * factor\n", "role": "user" }, { "content": "viewbox_key_event", "role": "assistant" } ]
def x(self, event): PerspectiveCamera.viewbox_mouse_event(self, event) if event.handled or not self.interactive: return if event.type == 'mouse_wheel': if not event.mouse_event.modifiers: self._speed[0] += 0.5 * event.delta[1] elif keys.SHIFT in event.mouse_event.modifiers: s = 1.1 ** -event.delta[1] self.scale_factor /= s print('scale factor: %1.1f units/s' % self.scale_factor) return if event.type == 'mouse_press': event.handled = True if event.type == 'mouse_release': self._event_value = None self._rotation1 = (self._rotation2 * self._rotation1).normalize() self._rotation2 = Quaternion() elif not self._timer.running: self._timer.start() if event.type == 'mouse_move': if event.press_event is None: return if not event.buttons: return modifiers = event.mouse_event.modifiers pos1 = event.mouse_event.press_event.pos pos2 = event.mouse_event.pos w, h = self._viewbox.size if 1 in event.buttons and not modifiers: d_az = -float(pos2[0] - pos1[0]) / w d_el = +float(pos2[1] - pos1[1]) / h d_az *= -0.5 * math.pi d_el *= +0.5 * math.pi q_az = Quaternion.create_from_axis_angle(d_az, 0, 1, 0) q_el = Quaternion.create_from_axis_angle(d_el, 1, 0, 0) self._rotation2 = (q_el.normalize() * q_az).normalize() elif 2 in event.buttons and keys.CONTROL in modifiers: if self._event_value is None: self._event_value = self._fov p1 = np.array(event.press_event.pos)[:2] p2 = np.array(event.pos)[:2] p1c = event.map_to_canvas(p1)[:2] p2c = event.map_to_canvas(p2)[:2] d = p2c - p1c fov = self._event_value * math.exp(-0.01 * d[1]) self._fov = min(90.0, max(10, fov)) self._update_from_mouse = True
viewbox_mouse_event
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n PerspectiveCamera.viewbox_mouse_event(self, event)\n if event.handled or not self.interactive:\n return\n if event.type == 'mouse_wheel':\n if not event.mouse_event.modifiers:\n self._speed[0] += 0.5 * event.delta[1]\n elif keys.SHIFT in event.mouse_event.modifiers:\n s = 1.1 ** -event.delta[1]\n self.scale_factor /= s\n print('scale factor: %1.1f units/s' % self.scale_factor)\n return\n if event.type == 'mouse_press':\n event.handled = True\n if event.type == 'mouse_release':\n self._event_value = None\n self._rotation1 = (self._rotation2 * self._rotation1).normalize()\n self._rotation2 = Quaternion()\n elif not self._timer.running:\n self._timer.start()\n if event.type == 'mouse_move':\n if event.press_event is None:\n return\n if not event.buttons:\n return\n modifiers = event.mouse_event.modifiers\n pos1 = event.mouse_event.press_event.pos\n pos2 = event.mouse_event.pos\n w, h = self._viewbox.size\n if 1 in event.buttons and not modifiers:\n d_az = -float(pos2[0] - pos1[0]) / w\n d_el = +float(pos2[1] - pos1[1]) / h\n d_az *= -0.5 * math.pi\n d_el *= +0.5 * math.pi\n q_az = Quaternion.create_from_axis_angle(d_az, 0, 1, 0)\n q_el = Quaternion.create_from_axis_angle(d_el, 1, 0, 0)\n self._rotation2 = (q_el.normalize() * q_az).normalize()\n elif 2 in event.buttons and keys.CONTROL in modifiers:\n if self._event_value is None:\n self._event_value = self._fov\n p1 = np.array(event.press_event.pos)[:2]\n p2 = np.array(event.pos)[:2]\n p1c = event.map_to_canvas(p1)[:2]\n p2c = event.map_to_canvas(p2)[:2]\n d = p2c - p1c\n fov = self._event_value * math.exp(-0.01 * d[1])\n self._fov = min(90.0, max(10, fov))\n self._update_from_mouse = True\n", "role": "user" }, { "content": "viewbox_mouse_event", "role": "assistant" } ]
def x(): infds, outfds, erfds = select.select([sys.stdin], [], [], 0) return bool(infds)
stdin_ready_posix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n infds, outfds, erfds = select.select([sys.stdin], [], [], 0)\n return bool(infds)\n", "role": "user" }, { "content": "stdin_ready_posix", "role": "assistant" } ]
def x(self, callback): ignore_CTRL_C() self._callback = callback self._callback_pyfunctype = self.PYFUNC(callback) pyos_inputhook_ptr = self.get_pyos_inputhook() original = self.get_pyos_inputhook_as_func() pyos_inputhook_ptr.value = ctypes.cast(self._callback_pyfunctype, ctypes.c_void_p).value self._installed = True return original
set_inputhook
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, callback):\n ignore_CTRL_C()\n self._callback = callback\n self._callback_pyfunctype = self.PYFUNC(callback)\n pyos_inputhook_ptr = self.get_pyos_inputhook()\n original = self.get_pyos_inputhook_as_func()\n pyos_inputhook_ptr.value = ctypes.cast(self._callback_pyfunctype,\n ctypes.c_void_p).value\n self._installed = True\n return original\n", "role": "user" }, { "content": "set_inputhook", "role": "assistant" } ]
def x(self, app=None): pyos_inputhook_ptr = self.get_pyos_inputhook() original = self.get_pyos_inputhook_as_func() pyos_inputhook_ptr.value = ctypes.c_void_p(None).value allow_CTRL_C() self._reset() return original
clear_inputhook
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, app=None):\n pyos_inputhook_ptr = self.get_pyos_inputhook()\n original = self.get_pyos_inputhook_as_func()\n pyos_inputhook_ptr.value = ctypes.c_void_p(None).value\n allow_CTRL_C()\n self._reset()\n return original\n", "role": "user" }, { "content": "clear_inputhook", "role": "assistant" } ]
def x(self, gui=None): if gui is None: self.apps = {} elif gui in self.apps: del self.apps[gui]
clear_app_refs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, gui=None):\n if gui is None:\n self.apps = {}\n elif gui in self.apps:\n del self.apps[gui]\n", "role": "user" }, { "content": "clear_app_refs", "role": "assistant" } ]
def x(self, toolkitname, *aliases): def x(cls): inst = cls(self) self.guihooks[toolkitname] = inst for a in aliases: self.aliases[a] = toolkitname return cls return decorator
register
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, toolkitname, *aliases):\n\n def x(cls):\n inst = cls(self)\n self.guihooks[toolkitname] = inst\n for a in aliases:\n self.aliases[a] = toolkitname\n return cls\n return decorator\n", "role": "user" }, { "content": "register", "role": "assistant" } ]
def x(self, gui=None, app=None): if gui in (None, GUI_NONE): return self.disable_gui() if gui in self.aliases: return self.enable_gui(self.aliases[gui], app) try: gui_hook = self.guihooks[gui] except KeyError: e = 'Invalid GUI request {!r}, valid ones are: {}' raise ValueError(e.format(gui, ', '.join(self.guihooks))) self._current_gui = gui app = gui_hook.enable(app) if app is not None: app._in_event_loop = True self.apps[gui] = app return app
enable_gui
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, gui=None, app=None):\n if gui in (None, GUI_NONE):\n return self.disable_gui()\n if gui in self.aliases:\n return self.enable_gui(self.aliases[gui], app)\n try:\n gui_hook = self.guihooks[gui]\n except KeyError:\n e = 'Invalid GUI request {!r}, valid ones are: {}'\n raise ValueError(e.format(gui, ', '.join(self.guihooks)))\n self._current_gui = gui\n app = gui_hook.enable(app)\n if app is not None:\n app._in_event_loop = True\n self.apps[gui] = app\n return app\n", "role": "user" }, { "content": "enable_gui", "role": "assistant" } ]
def x(self): gui = self._current_gui if gui in self.apps: self.apps[gui]._in_event_loop = False return self.clear_inputhook()
disable_gui
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n gui = self._current_gui\n if gui in self.apps:\n self.apps[gui]._in_event_loop = False\n return self.clear_inputhook()\n", "role": "user" }, { "content": "disable_gui", "role": "assistant" } ]
def x(canvas): canvas.context._do_CURRENT_command = True if canvasses and canvasses[-1]() is canvas: return cc = [c() for c in canvasses if c() is not None] while canvas in cc: cc.remove(canvas) cc.append(canvas) canvasses[:] = [weakref.ref(c) for c in cc]
set_current_canvas
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(canvas):\n canvas.context._do_CURRENT_command = True\n if canvasses and canvasses[-1]() is canvas:\n return\n cc = [c() for c in canvasses if c() is not None]\n while canvas in cc:\n cc.remove(canvas)\n cc.append(canvas)\n canvasses[:] = [weakref.ref(c) for c in cc]\n", "role": "user" }, { "content": "set_current_canvas", "role": "assistant" } ]
def x(canvas): cc = [c() for c in canvasses if c() is not None] while canvas in cc: cc.remove(canvas) canvasses[:] = [weakref.ref(c) for c in cc]
forget_canvas
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(canvas):\n cc = [c() for c in canvasses if c() is not None]\n while canvas in cc:\n cc.remove(canvas)\n canvasses[:] = [weakref.ref(c) for c in cc]\n", "role": "user" }, { "content": "forget_canvas", "role": "assistant" } ]