source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, num_dims=2, spring_constant=None, iterations=50, initial_temp= 0.1, initial_layout=None): if initial_layout is None: X = np.random.random((self.num_vertices(), num_dims)) else: X = np.array(initial_layout, dtype=float, copy=True) assert X.shape == (self.num_vertices(), num_dims) if spring_constant is None: spring_constant = X.shape[0] ** -0.5 S = self.matrix('csr', 'csc', 'coo', copy=True) S.data[:] = 1.0 / S.data ii, jj = S.nonzero() cooling_scheme = np.linspace(initial_temp, 0, iterations + 2)[:-2] for t in cooling_scheme: delta = X[:, None] - X[None] distance = _bounded_norm(delta, 1e-08) force = spring_constant ** 2 / distance force[ii, jj] -= S.data * distance[ii, jj] ** 2 / spring_constant displacement = np.einsum('ijk,ij->ik', delta, force) length = _bounded_norm(displacement, 0.01) X += displacement * t / length[:, None] return X
layout_spring
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, num_dims=2, spring_constant=None, iterations=50, initial_temp=\n 0.1, initial_layout=None):\n if initial_layout is None:\n X = np.random.random((self.num_vertices(), num_dims))\n else:\n X = np.array(initial_layout, dtype=float, copy=True)\n assert X.shape == (self.num_vertices(), num_dims)\n if spring_constant is None:\n spring_constant = X.shape[0] ** -0.5\n S = self.matrix('csr', 'csc', 'coo', copy=True)\n S.data[:] = 1.0 / S.data\n ii, jj = S.nonzero()\n cooling_scheme = np.linspace(initial_temp, 0, iterations + 2)[:-2]\n for t in cooling_scheme:\n delta = X[:, None] - X[None]\n distance = _bounded_norm(delta, 1e-08)\n force = spring_constant ** 2 / distance\n force[ii, jj] -= S.data * distance[ii, jj] ** 2 / spring_constant\n displacement = np.einsum('ijk,ij->ik', delta, force)\n length = _bounded_norm(displacement, 0.01)\n X += displacement * t / length[:, None]\n return X\n", "role": "user" }, { "content": "layout_spring", "role": "assistant" } ]
def x(rule, handler): def x(walk, dispatcher, node): handler(dispatcher, node) return yield return runner
optimize_structure_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(rule, handler):\n\n def x(walk, dispatcher, node):\n handler(dispatcher, node)\n return\n yield\n return runner\n", "role": "user" }, { "content": "optimize_structure_handler", "role": "assistant" } ]
def x(rule, handler): def x(walk, dispatcher, node): yield LayoutChunk(rule, handler, node) return runner
optimize_layout_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(rule, handler):\n\n def x(walk, dispatcher, node):\n yield LayoutChunk(rule, handler, node)\n return runner\n", "role": "user" }, { "content": "optimize_layout_handler", "role": "assistant" } ]
def x(dispatcher, node, definition=None): nodes = [] sourcepath_stack = [NotImplemented] def x(dispatcher, node, definition=None, token=None): if not isinstance(node, Node): for fragment in dispatcher.token(token, nodes[-1], node, sourcepath_stack): yield fragment return push = bool(node.sourcepath) if push: sourcepath_stack.append(node.sourcepath) nodes.append(node) if definition is None: definition = dispatcher.get_optimized_definition(node) for rule in definition: for chunk in rule(_walk, dispatcher, node): yield chunk nodes.pop(-1) if push: sourcepath_stack.pop(-1) def x(layout_rule_chunks, last_chunk, chunk): before_text = last_chunk.text if last_chunk else None after_text = chunk.text if chunk else None prev_text = None lrcs_stack = [] for lrc in layout_rule_chunks: lrcs_stack.append(lrc) for idx in range(len(lrcs_stack)): rule = tuple(lrc.rule for lrc in lrcs_stack[idx:]) handler = dispatcher.layout(rule) if handler is not NotImplemented: break else: continue lrcs_stack[:] = lrcs_stack[:idx] lrcs_stack.append(LayoutChunk(rule, handler, layout_rule_chunks [idx].node)) for lr_chunk in lrcs_stack: gen = lr_chunk.handler(dispatcher, lr_chunk.node, before_text, after_text, prev_text) if not gen: continue for chunk_from_layout in gen: yield chunk_from_layout prev_text = chunk_from_layout.text def x(): last_chunk = None layout_rule_chunks = [] for chunk in _walk(dispatcher, node, definition): if isinstance(chunk, LayoutChunk): layout_rule_chunks.append(chunk) else: for chunk_from_layout in process_layouts(layout_rule_chunks, last_chunk, chunk): yield chunk_from_layout layout_rule_chunks[:] = [] yield chunk last_chunk = chunk for chunk_from_layout in process_layouts(layout_rule_chunks, last_chunk, None): yield chunk_from_layout for chunk in walk(): yield chunk
walk
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dispatcher, node, definition=None):\n nodes = []\n sourcepath_stack = [NotImplemented]\n\n def x(dispatcher, node, definition=None, token=None):\n if not isinstance(node, Node):\n for fragment in dispatcher.token(token, nodes[-1], node,\n sourcepath_stack):\n yield fragment\n return\n push = bool(node.sourcepath)\n if push:\n sourcepath_stack.append(node.sourcepath)\n nodes.append(node)\n if definition is None:\n definition = dispatcher.get_optimized_definition(node)\n for rule in definition:\n for chunk in rule(_walk, dispatcher, node):\n yield chunk\n nodes.pop(-1)\n if push:\n sourcepath_stack.pop(-1)\n\n def x(layout_rule_chunks, last_chunk, chunk):\n before_text = last_chunk.text if last_chunk else None\n after_text = chunk.text if chunk else None\n prev_text = None\n lrcs_stack = []\n for lrc in layout_rule_chunks:\n lrcs_stack.append(lrc)\n for idx in range(len(lrcs_stack)):\n rule = tuple(lrc.rule for lrc in lrcs_stack[idx:])\n handler = dispatcher.layout(rule)\n if handler is not NotImplemented:\n break\n else:\n continue\n lrcs_stack[:] = lrcs_stack[:idx]\n lrcs_stack.append(LayoutChunk(rule, handler, layout_rule_chunks\n [idx].node))\n for lr_chunk in lrcs_stack:\n gen = lr_chunk.handler(dispatcher, lr_chunk.node, before_text,\n after_text, prev_text)\n if not gen:\n continue\n for chunk_from_layout in gen:\n yield chunk_from_layout\n prev_text = chunk_from_layout.text\n\n def x():\n last_chunk = None\n layout_rule_chunks = []\n for chunk in _walk(dispatcher, node, definition):\n if isinstance(chunk, LayoutChunk):\n layout_rule_chunks.append(chunk)\n else:\n for chunk_from_layout in process_layouts(layout_rule_chunks,\n last_chunk, chunk):\n yield chunk_from_layout\n layout_rule_chunks[:] = []\n yield chunk\n last_chunk = chunk\n for chunk_from_layout in process_layouts(layout_rule_chunks,\n last_chunk, None):\n yield chunk_from_layout\n for chunk in walk():\n yield chunk\n", "role": "user" }, { "content": "walk", "role": "assistant" } ]
def x(t): t.value = t.value.strip('"').replace('\\"', '"').replace('\\\\', '\\') return t
t_QUOTED_STRING
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(t):\n t.value = t.value.strip('\"').replace('\\\\\"', '\"').replace('\\\\\\\\', '\\\\')\n return t\n", "role": "user" }, { "content": "t_QUOTED_STRING", "role": "assistant" } ]
def x(t): exponents = {'G': 30, 'g': 30, 'M': 20, 'm': 20, 'K': 10, 'k': 10} if t.value[-1] in exponents: t.value = math.ldexp(int(t.value[:-1]), exponents[t.value[-1]]) else: t.value = int(t.value) return t
t_NUMBER
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(t):\n exponents = {'G': 30, 'g': 30, 'M': 20, 'm': 20, 'K': 10, 'k': 10}\n if t.value[-1] in exponents:\n t.value = math.ldexp(int(t.value[:-1]), exponents[t.value[-1]])\n else:\n t.value = int(t.value)\n return t\n", "role": "user" }, { "content": "t_NUMBER", "role": "assistant" } ]
def x(given, required, extraException, missingException): extra = given - required if extra: raise extraException(extra) missing = required - given if missing: raise missingException(missing)
missingExtraCheck
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(given, required, extraException, missingException):\n extra = given - required\n if extra:\n raise extraException(extra)\n missing = required - given\n if missing:\n raise missingException(missing)\n", "role": "user" }, { "content": "missingExtraCheck", "role": "assistant" } ]
def x(inputs, outputs, states, table, initial, richInputs, inputContext, world, logger=LOGGER): table = table.table _missingExtraCheck(set(table.keys()), set(states.iterconstants()), ExtraTransitionState, MissingTransitionState) _missingExtraCheck(set(i for s in table.values() for i in s), set( inputs.iterconstants()), ExtraTransitionInput, MissingTransitionInput) _missingExtraCheck(set(output for s in table.values() for transition in s.values() for output in transition.output), set(outputs. iterconstants()), ExtraTransitionOutput, MissingTransitionOutput) try: _missingExtraCheck(set(transition.nextState for s in table.values() for transition in s.values()), set(states.iterconstants()), ExtraTransitionNextState, MissingTransitionNextState) except MissingTransitionNextState as e: if e.args != ({initial},): raise if initial not in states.iterconstants(): raise InvalidInitialState(initial) extraInputContext = set(inputContext) - set(outputs.iterconstants()) if extraInputContext: raise ExtraInputContext(extraInputContext) _checkConsistency(richInputs, table, inputContext) fsm = _FiniteStateMachine(inputs, outputs, states, table, initial) executor = IOutputExecutor(world) interpreter = _FiniteStateInterpreter(tuple(richInputs), inputContext, fsm, executor) if logger is not None: interpreter = FiniteStateLogger(interpreter, logger, executor. identifier()) return interpreter
constructFiniteStateMachine
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(inputs, outputs, states, table, initial, richInputs, inputContext,\n world, logger=LOGGER):\n table = table.table\n _missingExtraCheck(set(table.keys()), set(states.iterconstants()),\n ExtraTransitionState, MissingTransitionState)\n _missingExtraCheck(set(i for s in table.values() for i in s), set(\n inputs.iterconstants()), ExtraTransitionInput, MissingTransitionInput)\n _missingExtraCheck(set(output for s in table.values() for transition in\n s.values() for output in transition.output), set(outputs.\n iterconstants()), ExtraTransitionOutput, MissingTransitionOutput)\n try:\n _missingExtraCheck(set(transition.nextState for s in table.values() for\n transition in s.values()), set(states.iterconstants()),\n ExtraTransitionNextState, MissingTransitionNextState)\n except MissingTransitionNextState as e:\n if e.args != ({initial},):\n raise\n if initial not in states.iterconstants():\n raise InvalidInitialState(initial)\n extraInputContext = set(inputContext) - set(outputs.iterconstants())\n if extraInputContext:\n raise ExtraInputContext(extraInputContext)\n _checkConsistency(richInputs, table, inputContext)\n fsm = _FiniteStateMachine(inputs, outputs, states, table, initial)\n executor = IOutputExecutor(world)\n interpreter = _FiniteStateInterpreter(tuple(richInputs), inputContext,\n fsm, executor)\n if logger is not None:\n interpreter = FiniteStateLogger(interpreter, logger, executor.\n identifier())\n return interpreter\n", "role": "user" }, { "content": "constructFiniteStateMachine", "role": "assistant" } ]
def x(richInputs, fsm, inputContext): for richInput in richInputs: for state in fsm: for input in fsm[state]: if richInput.symbol() == input: outputs = fsm[state][input].output for output in outputs: try: required = inputContext[output] except KeyError: continue if required.implementedBy(richInput): continue raise DoesNotImplement( '%r not implemented by %r, required by %r in state %r' % (required, richInput, input, state))
checkConsistency
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(richInputs, fsm, inputContext):\n for richInput in richInputs:\n for state in fsm:\n for input in fsm[state]:\n if richInput.symbol() == input:\n outputs = fsm[state][input].output\n for output in outputs:\n try:\n required = inputContext[output]\n except KeyError:\n continue\n if required.implementedBy(richInput):\n continue\n raise DoesNotImplement(\n '%r not implemented by %r, required by %r in state %r'\n % (required, richInput, input, state))\n", "role": "user" }, { "content": "checkConsistency", "role": "assistant" } ]
def x(symbol): return implementer(IRichInput)(type(symbol.name.title(), (FancyStrMixin, object), {'symbol': _symbol(symbol)}))
trivialInput
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(symbol):\n return implementer(IRichInput)(type(symbol.name.title(), (FancyStrMixin,\n object), {'symbol': _symbol(symbol)}))\n", "role": "user" }, { "content": "trivialInput", "role": "assistant" } ]
def x(self): table = {} for existingState, existingOutputs in self.table.items(): table[existingState] = {} for existingInput, existingTransition in existingOutputs.items(): table[existingState][existingInput] = existingTransition return TransitionTable(table)
copy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n table = {}\n for existingState, existingOutputs in self.table.items():\n table[existingState] = {}\n for existingInput, existingTransition in existingOutputs.items():\n table[existingState][existingInput] = existingTransition\n return TransitionTable(table)\n", "role": "user" }, { "content": "copy", "role": "assistant" } ]
def x(self, state, input, output, nextState): return self.addTransitions(state, {input: (output, nextState)})
addTransition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, state, input, output, nextState):\n return self.addTransitions(state, {input: (output, nextState)})\n", "role": "user" }, { "content": "addTransition", "role": "assistant" } ]
def x(self, state, transitions): table = self._copy() state = table.table.setdefault(state, {}) for input, (output, nextState) in transitions.items(): state[input] = Transition(output, nextState) return table
addTransitions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, state, transitions):\n table = self._copy()\n state = table.table.setdefault(state, {})\n for input, (output, nextState) in transitions.items():\n state[input] = Transition(output, nextState)\n return table\n", "role": "user" }, { "content": "addTransitions", "role": "assistant" } ]
def x(self, state): table = self._copy() table.table[state] = {} return table
addTerminalState
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, state):\n table = self._copy()\n table.table[state] = {}\n return table\n", "role": "user" }, { "content": "addTerminalState", "role": "assistant" } ]
def x(drop_semi=True): layout_handlers = {OpenBlock: layout_handler_openbrace, CloseBlock: layout_handler_closebrace, EndStatement: layout_handler_semicolon, Space: layout_handler_space_minimum, OptionalSpace: layout_handler_space_minimum, RequiredSpace: layout_handler_space_imply, (Space, OpenBlock): layout_handler_openbrace, (Space, EndStatement): layout_handler_semicolon, (OptionalSpace, EndStatement): layout_handler_semicolon} if drop_semi: layout_handlers.update({EndStatement: layout_handler_semicolon_optional, (OptionalSpace, EndStatement ): layout_handler_semicolon_optional, (EndStatement, CloseBlock ): layout_handler_closebrace, (EndStatement, Dedent): rule_handler_noop, ((OptionalSpace, EndStatement), CloseBlock): layout_handler_closebrace}) def x(): return {'layout_handlers': layout_handlers, 'deferrable_handlers': {Literal: deferrable_handler_literal_continuation}} return minify_rule
minify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(drop_semi=True):\n layout_handlers = {OpenBlock: layout_handler_openbrace, CloseBlock:\n layout_handler_closebrace, EndStatement: layout_handler_semicolon,\n Space: layout_handler_space_minimum, OptionalSpace:\n layout_handler_space_minimum, RequiredSpace:\n layout_handler_space_imply, (Space, OpenBlock):\n layout_handler_openbrace, (Space, EndStatement):\n layout_handler_semicolon, (OptionalSpace, EndStatement):\n layout_handler_semicolon}\n if drop_semi:\n layout_handlers.update({EndStatement:\n layout_handler_semicolon_optional, (OptionalSpace, EndStatement\n ): layout_handler_semicolon_optional, (EndStatement, CloseBlock\n ): layout_handler_closebrace, (EndStatement, Dedent):\n rule_handler_noop, ((OptionalSpace, EndStatement), CloseBlock):\n layout_handler_closebrace})\n\n def x():\n return {'layout_handlers': layout_handlers, 'deferrable_handlers':\n {Literal: deferrable_handler_literal_continuation}}\n return minify_rule\n", "role": "user" }, { "content": "minify", "role": "assistant" } ]
def x(indent_str=None): def x(): inst = Indentator(indent_str) return {'layout_handlers': {OpenBlock: layout_handler_openbrace, CloseBlock: layout_handler_closebrace, EndStatement: layout_handler_semicolon, Space: layout_handler_space_imply, OptionalSpace: layout_handler_space_optional_pretty, RequiredSpace: layout_handler_space_imply, Indent: inst. layout_handler_indent, Dedent: inst.layout_handler_dedent, Newline: inst.layout_handler_newline, OptionalNewline: inst. layout_handler_newline_optional, (Space, OpenBlock): NotImplemented, (Space, EndStatement): layout_handler_semicolon, (OptionalSpace, EndStatement): layout_handler_semicolon, ( Indent, Newline, Dedent): rule_handler_noop}} return indentation_rule
indent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(indent_str=None):\n\n def x():\n inst = Indentator(indent_str)\n return {'layout_handlers': {OpenBlock: layout_handler_openbrace,\n CloseBlock: layout_handler_closebrace, EndStatement:\n layout_handler_semicolon, Space: layout_handler_space_imply,\n OptionalSpace: layout_handler_space_optional_pretty,\n RequiredSpace: layout_handler_space_imply, Indent: inst.\n layout_handler_indent, Dedent: inst.layout_handler_dedent,\n Newline: inst.layout_handler_newline, OptionalNewline: inst.\n layout_handler_newline_optional, (Space, OpenBlock):\n NotImplemented, (Space, EndStatement): layout_handler_semicolon,\n (OptionalSpace, EndStatement): layout_handler_semicolon, (\n Indent, Newline, Dedent): rule_handler_noop}}\n return indentation_rule\n", "role": "user" }, { "content": "indent", "role": "assistant" } ]
def x(): dist_dir = path('dist') docs_package = path('%s/%s-%s-docs.zip' % (dist_dir.abspath(), options. setup.name, options.setup.version)) dist_dir.exists() or dist_dir.makedirs() docs_package.exists() and docs_package.remove() sh('cd build/apidocs && zip -qr9 %s .' % (docs_package,)) print('') print('Upload @ http://pypi.python.org/pypi?:action=pkg_edit&name=%s' % (options.setup.name,)) print(docs_package)
dist_docs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n dist_dir = path('dist')\n docs_package = path('%s/%s-%s-docs.zip' % (dist_dir.abspath(), options.\n setup.name, options.setup.version))\n dist_dir.exists() or dist_dir.makedirs()\n docs_package.exists() and docs_package.remove()\n sh('cd build/apidocs && zip -qr9 %s .' % (docs_package,))\n print('')\n print('Upload @ http://pypi.python.org/pypi?:action=pkg_edit&name=%s' %\n (options.setup.name,))\n print(docs_package)\n", "role": "user" }, { "content": "dist_docs", "role": "assistant" } ]
def x(): sh('paver bdist_wheel') wheels = path('dist').files('*.whl') if not wheels: error('\n*** ERROR: No release wheel was built!') sys.exit(1) if any('.dev' in i for i in wheels): error("\n*** ERROR: You're still using a 'dev' version!") sys.exit(1) print('') print('~' * 78) print('TESTING SOURCE BUILD') sh( "{ command cd dist/ && unzip -q %s-%s.zip && command cd %s-%s/ && /usr/bin/python setup.py sdist >/dev/null && if { unzip -ql ../%s-%s.zip; unzip -ql dist/%s-%s.zip; } | cut -b26- | sort | uniq -c| egrep -v '^ +2 +' ; then echo '^^^ Difference in file lists! ^^^'; false; else true; fi; } 2>&1" % tuple([project['name'], version] * 4)) path('dist/%s-%s' % (project['name'], version)).rmtree() print('~' * 78) print('') print('Created', ' '.join([str(i) for i in path('dist').listdir()])) print("Use 'paver sdist bdist_wheel' to build the release and") print(" 'twine upload dist/*.{zip,whl}' to upload to PyPI") print("Use 'paver dist_docs' to prepare an API documentation upload")
release
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n sh('paver bdist_wheel')\n wheels = path('dist').files('*.whl')\n if not wheels:\n error('\\n*** ERROR: No release wheel was built!')\n sys.exit(1)\n if any('.dev' in i for i in wheels):\n error(\"\\n*** ERROR: You're still using a 'dev' version!\")\n sys.exit(1)\n print('')\n print('~' * 78)\n print('TESTING SOURCE BUILD')\n sh(\n \"{ command cd dist/ && unzip -q %s-%s.zip && command cd %s-%s/ && /usr/bin/python setup.py sdist >/dev/null && if { unzip -ql ../%s-%s.zip; unzip -ql dist/%s-%s.zip; } | cut -b26- | sort | uniq -c| egrep -v '^ +2 +' ; then echo '^^^ Difference in file lists! ^^^'; false; else true; fi; } 2>&1\"\n % tuple([project['name'], version] * 4))\n path('dist/%s-%s' % (project['name'], version)).rmtree()\n print('~' * 78)\n print('')\n print('Created', ' '.join([str(i) for i in path('dist').listdir()]))\n print(\"Use 'paver sdist bdist_wheel' to build the release and\")\n print(\" 'twine upload dist/*.{zip,whl}' to upload to PyPI\")\n print(\"Use 'paver dist_docs' to prepare an API documentation upload\")\n", "role": "user" }, { "content": "release", "role": "assistant" } ]
def x(cycle): result = {} for atom in cycle.atoms: lookup = atom.symbol, atom.charge, atom.hcount, len(atom.bonds) if PyroleTable.get(lookup, 0): result[atom.handle] = atom return result
getPyroleLikeAtoms
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cycle):\n result = {}\n for atom in cycle.atoms:\n lookup = atom.symbol, atom.charge, atom.hcount, len(atom.bonds)\n if PyroleTable.get(lookup, 0):\n result[atom.handle] = atom\n return result\n", "role": "user" }, { "content": "getPyroleLikeAtoms", "role": "assistant" } ]
def x(cycle, pyroleLike): cycleLength = len(cycle) if cycleLength == 5: for atom in cycle.atoms: if not AROMATIC_PYROLE_ATOMS.has_key(atom.symbol): return NEVER pyroleCount = 0 for atom in cycle.atoms: if pyroleLike.has_key(atom.handle): pyrole = atom pyroleCount += 1 if pyroleCount < 1 or pyroleCount > 2: return NEVER cycle.rotate(pyrole) bonds = cycle.bonds[:] for index, bond in zip(range(len(bonds)), bonds): if bond.bondtype not in AROMATIC_5_RING[index]: return MAYBE return AROMATIC elif cycleLength == 6: for atom in cycle.atoms: if not AROMATIC_ATOMS.has_key(atom.symbol): return NEVER bonds = cycle.bonds[:] last = None switch = {(1): 2, (2): 1} while bonds: bond = bonds.pop() bondtype = bond.bondtype if bond.bondorder == 3: return NEVER if last is None: if bond.bondtype in [1, 2]: last = bond.bondtype else: if last == 1 and bond.bondtype not in [2, 4]: return MAYBE elif last == 2 and bond.bondtype not in [1, 4]: return MAYBE last = switch[last] if bondtype != last: bond.bondorder = last return AROMATIC else: return NEVER
canBeAromatic
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cycle, pyroleLike):\n cycleLength = len(cycle)\n if cycleLength == 5:\n for atom in cycle.atoms:\n if not AROMATIC_PYROLE_ATOMS.has_key(atom.symbol):\n return NEVER\n pyroleCount = 0\n for atom in cycle.atoms:\n if pyroleLike.has_key(atom.handle):\n pyrole = atom\n pyroleCount += 1\n if pyroleCount < 1 or pyroleCount > 2:\n return NEVER\n cycle.rotate(pyrole)\n bonds = cycle.bonds[:]\n for index, bond in zip(range(len(bonds)), bonds):\n if bond.bondtype not in AROMATIC_5_RING[index]:\n return MAYBE\n return AROMATIC\n elif cycleLength == 6:\n for atom in cycle.atoms:\n if not AROMATIC_ATOMS.has_key(atom.symbol):\n return NEVER\n bonds = cycle.bonds[:]\n last = None\n switch = {(1): 2, (2): 1}\n while bonds:\n bond = bonds.pop()\n bondtype = bond.bondtype\n if bond.bondorder == 3:\n return NEVER\n if last is None:\n if bond.bondtype in [1, 2]:\n last = bond.bondtype\n else:\n if last == 1 and bond.bondtype not in [2, 4]:\n return MAYBE\n elif last == 2 and bond.bondtype not in [1, 4]:\n return MAYBE\n last = switch[last]\n if bondtype != last:\n bond.bondorder = last\n return AROMATIC\n else:\n return NEVER\n", "role": "user" }, { "content": "canBeAromatic", "role": "assistant" } ]
def x(cycle, pyroleLike, usedPyroles): bonds = cycle.bonds atoms = cycle.atoms initialBondStates = [] initialAtomStates = [] _usedPyroles = {} for bond in bonds: initialBondStates.append((bond, bond.symbol, bond.bondorder, bond. bondtype, bond.aromatic, bond.stereo)) bond.reset(':', bond.bondorder, 4, bond.fixed, bond.stereo) aromatized = 1 for atom in atoms: initialAtomStates.append((atom, atom.aromatic)) atom.aromatic = 1 nonhydrogens = atom.sumBondOrders() + atom.charge for valence in atom.valences: neededHydrogens = int(valence - nonhydrogens) if neededHydrogens >= 0: break else: if len(cycle) == 5 and pyroleLike.has_key(atom.handle): _usedPyroles[atom.handle] = 1 else: aromatized = 0 break assert len(_usedPyroles) <= 1, 'Too many used pyroles!' cycle.aromatic = aromatized if not aromatized: for bond, symbol, order, bondtype, aromatic, stereo in initialBondStates: bond.reset(symbol, order, bondtype, bond.fixed, stereo) for atom, aromatic in initialAtomStates: atom.aromatic = aromatic else: usedPyroles.update(_usedPyroles) return aromatized
convert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cycle, pyroleLike, usedPyroles):\n bonds = cycle.bonds\n atoms = cycle.atoms\n initialBondStates = []\n initialAtomStates = []\n _usedPyroles = {}\n for bond in bonds:\n initialBondStates.append((bond, bond.symbol, bond.bondorder, bond.\n bondtype, bond.aromatic, bond.stereo))\n bond.reset(':', bond.bondorder, 4, bond.fixed, bond.stereo)\n aromatized = 1\n for atom in atoms:\n initialAtomStates.append((atom, atom.aromatic))\n atom.aromatic = 1\n nonhydrogens = atom.sumBondOrders() + atom.charge\n for valence in atom.valences:\n neededHydrogens = int(valence - nonhydrogens)\n if neededHydrogens >= 0:\n break\n else:\n if len(cycle) == 5 and pyroleLike.has_key(atom.handle):\n _usedPyroles[atom.handle] = 1\n else:\n aromatized = 0\n break\n assert len(_usedPyroles) <= 1, 'Too many used pyroles!'\n cycle.aromatic = aromatized\n if not aromatized:\n for bond, symbol, order, bondtype, aromatic, stereo in initialBondStates:\n bond.reset(symbol, order, bondtype, bond.fixed, stereo)\n for atom, aromatic in initialAtomStates:\n atom.aromatic = aromatic\n else:\n usedPyroles.update(_usedPyroles)\n return aromatized\n", "role": "user" }, { "content": "convert", "role": "assistant" } ]
def x(molecule, usedPyroles=None): for atom in molecule.atoms: if atom.has_explicit_hcount: atom.hcount = atom.explicit_hcount continue if atom.valences: for valence in atom.valences: hcount = max(0, int(valence - atom.sumBondOrders() + atom. charge)) if hcount >= 0: break else: if usedPyroles and not usedPyroles.has_key(atom.handle): raise PinkyError('Valence error in atom %s' % molecule. atoms.index(atom)) pass atom.hcount = hcount return molecule
addHydrogens
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(molecule, usedPyroles=None):\n for atom in molecule.atoms:\n if atom.has_explicit_hcount:\n atom.hcount = atom.explicit_hcount\n continue\n if atom.valences:\n for valence in atom.valences:\n hcount = max(0, int(valence - atom.sumBondOrders() + atom.\n charge))\n if hcount >= 0:\n break\n else:\n if usedPyroles and not usedPyroles.has_key(atom.handle):\n raise PinkyError('Valence error in atom %s' % molecule.\n atoms.index(atom))\n pass\n atom.hcount = hcount\n return molecule\n", "role": "user" }, { "content": "addHydrogens", "role": "assistant" } ]
def x(molecule, usedPyroles=None): pyroleLike = getPyroleLikeAtoms(molecule) if usedPyroles is None: usedPyroles = {} cyclesToCheck = [] for cycle in molecule.cycles: for atom in cycle.atoms: if not atom.aromatic: cyclesToCheck.append(cycle) break else: if not convert(cycle, pyroleLike, usedPyroles): raise PinkyError('Bad initial aromaticity') while 1: needToCheckAgain = 0 _cyclesToCheck = [] for cycle in cyclesToCheck: canAromatic = canBeAromatic(cycle, pyroleLike) if canAromatic == NEVER: pass elif canAromatic and convert(cycle, pyroleLike, usedPyroles): needToCheckAgain = 1 else: _cyclesToCheck.append(cycle) cyclesToCheck = _cyclesToCheck if not needToCheckAgain: break molecule = fixBonds(molecule, pyroleLike) return addHydrogens(molecule, usedPyroles)
aromatize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(molecule, usedPyroles=None):\n pyroleLike = getPyroleLikeAtoms(molecule)\n if usedPyroles is None:\n usedPyroles = {}\n cyclesToCheck = []\n for cycle in molecule.cycles:\n for atom in cycle.atoms:\n if not atom.aromatic:\n cyclesToCheck.append(cycle)\n break\n else:\n if not convert(cycle, pyroleLike, usedPyroles):\n raise PinkyError('Bad initial aromaticity')\n while 1:\n needToCheckAgain = 0\n _cyclesToCheck = []\n for cycle in cyclesToCheck:\n canAromatic = canBeAromatic(cycle, pyroleLike)\n if canAromatic == NEVER:\n pass\n elif canAromatic and convert(cycle, pyroleLike, usedPyroles):\n needToCheckAgain = 1\n else:\n _cyclesToCheck.append(cycle)\n cyclesToCheck = _cyclesToCheck\n if not needToCheckAgain:\n break\n molecule = fixBonds(molecule, pyroleLike)\n return addHydrogens(molecule, usedPyroles)\n", "role": "user" }, { "content": "aromatize", "role": "assistant" } ]
def x(self): noise_lists = {} self.noise_interpolants = {} if isinstance(self.sensitivity_curves, str): self.sensitivity_curves = [self.sensitivity_curves] if isinstance(self.noise_type_in, list): if len(self.noise_type_in) != len(self.sensitivity_curves): raise ValueError( 'noise_type_in must have same shape as sensitivity_curves if it is' + 'provided as a list.' + 'If all curves are of the same type, provide a string.') else: assert isinstance(self.noise_type_in, str) self.noise_type_in = [self.noise_type_in for _ in self. sensitivity_curves] if isinstance(self.signal_type, str): self.signal_type = [self.signal_type] for num, sc in enumerate(self.sensitivity_curves): if isinstance(sc, str): f, h_n = read_noise_curve(sc, noise_type_in=self.noise_type_in[ num], noise_type_out='char_strain') if sc[-4:] == '.txt': key = sc.split('.')[0].split('/')[-1] else: key = sc elif isinstance(sc, list): f, h_n = sc key = str(num) else: raise ValueError('Sensitivity curves must either be string' + 'or list containing f_n and asd_n.') noise_lists[key] = [f, h_n] if str(self.add_wd_noise).lower() in ['true', 'both', 'yes']: if isinstance(self.wd_noise, str): f_n_wd, h_n_wd = read_noise_curve(self.wd_noise, noise_type_in= self.wd_noise_type_in, noise_type_out='char_strain') elif isinstance(self, wd_noise, list): f_n_wd, h_n_wd = self.wd_noise trans_dict = {} for sc in noise_lists.keys(): f_n, h_n = noise_lists[sc] if self.add_wd_noise.lower() == 'both': trans_dict[sc] = [f_n, h_n] f_n, h_n = combine_with_wd_noise(f_n, h_n, f_n_wd, h_n_wd) trans_dict[sc + '_wd'] = [f_n, h_n] noise_lists = trans_dict for sc in noise_lists: f_n, h_n = noise_lists[sc] self.noise_interpolants[sc] = interpolate.interp1d(f_n, h_n, bounds_error=False, fill_value=1e+30) return
prep_noise_interpolants
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n noise_lists = {}\n self.noise_interpolants = {}\n if isinstance(self.sensitivity_curves, str):\n self.sensitivity_curves = [self.sensitivity_curves]\n if isinstance(self.noise_type_in, list):\n if len(self.noise_type_in) != len(self.sensitivity_curves):\n raise ValueError(\n 'noise_type_in must have same shape as sensitivity_curves if it is'\n + 'provided as a list.' +\n 'If all curves are of the same type, provide a string.')\n else:\n assert isinstance(self.noise_type_in, str)\n self.noise_type_in = [self.noise_type_in for _ in self.\n sensitivity_curves]\n if isinstance(self.signal_type, str):\n self.signal_type = [self.signal_type]\n for num, sc in enumerate(self.sensitivity_curves):\n if isinstance(sc, str):\n f, h_n = read_noise_curve(sc, noise_type_in=self.noise_type_in[\n num], noise_type_out='char_strain')\n if sc[-4:] == '.txt':\n key = sc.split('.')[0].split('/')[-1]\n else:\n key = sc\n elif isinstance(sc, list):\n f, h_n = sc\n key = str(num)\n else:\n raise ValueError('Sensitivity curves must either be string' +\n 'or list containing f_n and asd_n.')\n noise_lists[key] = [f, h_n]\n if str(self.add_wd_noise).lower() in ['true', 'both', 'yes']:\n if isinstance(self.wd_noise, str):\n f_n_wd, h_n_wd = read_noise_curve(self.wd_noise, noise_type_in=\n self.wd_noise_type_in, noise_type_out='char_strain')\n elif isinstance(self, wd_noise, list):\n f_n_wd, h_n_wd = self.wd_noise\n trans_dict = {}\n for sc in noise_lists.keys():\n f_n, h_n = noise_lists[sc]\n if self.add_wd_noise.lower() == 'both':\n trans_dict[sc] = [f_n, h_n]\n f_n, h_n = combine_with_wd_noise(f_n, h_n, f_n_wd, h_n_wd)\n trans_dict[sc + '_wd'] = [f_n, h_n]\n noise_lists = trans_dict\n for sc in noise_lists:\n f_n, h_n = noise_lists[sc]\n self.noise_interpolants[sc] = interpolate.interp1d(f_n, h_n,\n bounds_error=False, fill_value=1e+30)\n return\n", "role": "user" }, { "content": "prep_noise_interpolants", "role": "assistant" } ]
def x(oracle, method='rsfx'): len_oracle = oracle.n_states - 1 mat = np.zeros((len_oracle, len_oracle)) if method == 'com': if not oracle.code: print('Codes not generated. Generating codes with encode().') oracle.encode() ind = 0 for l, p in oracle.code: if l == 0: inc = 1 else: inc = l mat[range(ind, ind + inc), range(p - 1, p - 1 + inc)] = 1 mat[range(p - 1, p - 1 + inc), range(ind, ind + inc)] = 1 ind = ind + l elif method == 'sfx': for i, s in enumerate(oracle.sfx[1:]): if s != 0: mat[i][s - 1] = 1 mat[s - 1][i] = 1 elif method == 'rsfx': for cluster in oracle.latent: p = itertools.product(cluster, repeat=2) for _p in p: mat[_p[0] - 1][_p[1] - 1] = 1 elif method == 'lrs': for i, l in enumerate(oracle.lrs[1:]): if l != 0: s = oracle.sfx[i + 1] mat[range(s - l + 1, s + 1), range(i - l + 1, i + 1)] = 1 mat[range(i - l + 1, i + 1), range(s - l + 1, s + 1)] = 1 elif method == 'seg': seg = oracle.segment ind = 0 for l, p in seg: if l == 0: inc = 1 else: inc = l mat[range(ind, ind + inc), range(p - 1, p - 1 + inc)] = 1 mat[range(p - 1, p - 1 + inc), range(ind, ind + inc)] = 1 ind = ind + l return mat
create_selfsim
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(oracle, method='rsfx'):\n len_oracle = oracle.n_states - 1\n mat = np.zeros((len_oracle, len_oracle))\n if method == 'com':\n if not oracle.code:\n print('Codes not generated. Generating codes with encode().')\n oracle.encode()\n ind = 0\n for l, p in oracle.code:\n if l == 0:\n inc = 1\n else:\n inc = l\n mat[range(ind, ind + inc), range(p - 1, p - 1 + inc)] = 1\n mat[range(p - 1, p - 1 + inc), range(ind, ind + inc)] = 1\n ind = ind + l\n elif method == 'sfx':\n for i, s in enumerate(oracle.sfx[1:]):\n if s != 0:\n mat[i][s - 1] = 1\n mat[s - 1][i] = 1\n elif method == 'rsfx':\n for cluster in oracle.latent:\n p = itertools.product(cluster, repeat=2)\n for _p in p:\n mat[_p[0] - 1][_p[1] - 1] = 1\n elif method == 'lrs':\n for i, l in enumerate(oracle.lrs[1:]):\n if l != 0:\n s = oracle.sfx[i + 1]\n mat[range(s - l + 1, s + 1), range(i - l + 1, i + 1)] = 1\n mat[range(i - l + 1, i + 1), range(s - l + 1, s + 1)] = 1\n elif method == 'seg':\n seg = oracle.segment\n ind = 0\n for l, p in seg:\n if l == 0:\n inc = 1\n else:\n inc = l\n mat[range(ind, ind + inc), range(p - 1, p - 1 + inc)] = 1\n mat[range(p - 1, p - 1 + inc), range(ind, ind + inc)] = 1\n ind = ind + l\n return mat\n", "role": "user" }, { "content": "create_selfsim", "role": "assistant" } ]
def x(oracle, method='trn'): mat, hist, n = _create_trn_mat_symbolic(oracle, method) return mat, hist, n
create_transition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(oracle, method='trn'):\n mat, hist, n = _create_trn_mat_symbolic(oracle, method)\n return mat, hist, n\n", "role": "user" }, { "content": "create_transition", "role": "assistant" } ]
def x(oracle, context, ab=None, verbose=False): if verbose: print('original context: ', context) if ab is None: ab = oracle.get_alphabet() _b, _s, context = _test_context(oracle, context) _lrs = [oracle.lrs[k] for k in oracle.rsfx[_s]] context_state = [] while not context_state: for _i, _l in enumerate(_lrs): if _l >= len(context): context_state.append(oracle.rsfx[_s][_i]) if context_state: break else: context = context[1:] _b, _s = oracle.accept(context) _lrs = [oracle.lrs[k] for k in oracle.rsfx[_s]] if verbose: print('final context: ', context) print('context_state: ', context_state) d_count = len(ab) hist = [1.0] * len(ab) trn_data = [oracle.data[n] for n in oracle.trn[_s]] for k in trn_data: hist[ab[k]] += 1.0 d_count += 1.0 for i in context_state: d_count, hist = _rsfx_count(oracle, i, d_count, hist, ab) return [(hist[idx] / d_count) for idx in range(len(hist))], context
predict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(oracle, context, ab=None, verbose=False):\n if verbose:\n print('original context: ', context)\n if ab is None:\n ab = oracle.get_alphabet()\n _b, _s, context = _test_context(oracle, context)\n _lrs = [oracle.lrs[k] for k in oracle.rsfx[_s]]\n context_state = []\n while not context_state:\n for _i, _l in enumerate(_lrs):\n if _l >= len(context):\n context_state.append(oracle.rsfx[_s][_i])\n if context_state:\n break\n else:\n context = context[1:]\n _b, _s = oracle.accept(context)\n _lrs = [oracle.lrs[k] for k in oracle.rsfx[_s]]\n if verbose:\n print('final context: ', context)\n print('context_state: ', context_state)\n d_count = len(ab)\n hist = [1.0] * len(ab)\n trn_data = [oracle.data[n] for n in oracle.trn[_s]]\n for k in trn_data:\n hist[ab[k]] += 1.0\n d_count += 1.0\n for i in context_state:\n d_count, hist = _rsfx_count(oracle, i, d_count, hist, ab)\n return [(hist[idx] / d_count) for idx in range(len(hist))], context\n", "role": "user" }, { "content": "predict", "role": "assistant" } ]
def x(oracle, test_seq, ab=[], m_order=None, verbose=False): if not ab: ab = oracle.get_alphabet() if verbose: print(' ') logP = 0.0 context = [] increment = np.floor((len(test_seq) - 1) / 100) bar_count = -1 maxContextLength = 0 avgContext = 0 for i, t in enumerate(test_seq): p, c = predict(oracle, context, ab, verbose=False) if len(c) < len(context): context = context[-len(c):] logP -= np.log2(p[ab[t]]) context.append(t) if m_order is not None: if len(context) > m_order: context = context[-m_order:] avgContext += float(len(context)) / len(test_seq) if verbose: percentage = np.mod(i, increment) if percentage == 0: bar_count += 1 if len(context) > maxContextLength: maxContextLength = len(context) sys.stdout.write('\r') sys.stdout.write('\r[' + '=' * bar_count + ' ' * (100 - bar_count) + '] ' + str(bar_count) + '% ' + str(i) + '/' + str(len(test_seq) - 1) + ' Current max length: ' + str( maxContextLength)) sys.stdout.flush() return logP / len(test_seq), avgContext
log_loss
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(oracle, test_seq, ab=[], m_order=None, verbose=False):\n if not ab:\n ab = oracle.get_alphabet()\n if verbose:\n print(' ')\n logP = 0.0\n context = []\n increment = np.floor((len(test_seq) - 1) / 100)\n bar_count = -1\n maxContextLength = 0\n avgContext = 0\n for i, t in enumerate(test_seq):\n p, c = predict(oracle, context, ab, verbose=False)\n if len(c) < len(context):\n context = context[-len(c):]\n logP -= np.log2(p[ab[t]])\n context.append(t)\n if m_order is not None:\n if len(context) > m_order:\n context = context[-m_order:]\n avgContext += float(len(context)) / len(test_seq)\n if verbose:\n percentage = np.mod(i, increment)\n if percentage == 0:\n bar_count += 1\n if len(context) > maxContextLength:\n maxContextLength = len(context)\n sys.stdout.write('\\r')\n sys.stdout.write('\\r[' + '=' * bar_count + ' ' * (100 -\n bar_count) + '] ' + str(bar_count) + '% ' + str(i) + '/' +\n str(len(test_seq) - 1) + ' Current max length: ' + str(\n maxContextLength))\n sys.stdout.flush()\n return logP / len(test_seq), avgContext\n", "role": "user" }, { "content": "log_loss", "role": "assistant" } ]
def x(oracle, s, count, hist, ab): trn_data = [oracle.data[n] for n in oracle.trn[s]] for k in trn_data: hist[ab[k]] += 1.0 count += 1.0 rsfx_candidate = oracle.rsfx[s][:] while rsfx_candidate: s = rsfx_candidate.pop(0) trn_data = [oracle.data[n] for n in oracle.trn[s]] for k in trn_data: hist[ab[k]] += 1.0 count += 1.0 rsfx_candidate.extend(oracle.rsfx[s]) return count, hist
rsfx_count
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(oracle, s, count, hist, ab):\n trn_data = [oracle.data[n] for n in oracle.trn[s]]\n for k in trn_data:\n hist[ab[k]] += 1.0\n count += 1.0\n rsfx_candidate = oracle.rsfx[s][:]\n while rsfx_candidate:\n s = rsfx_candidate.pop(0)\n trn_data = [oracle.data[n] for n in oracle.trn[s]]\n for k in trn_data:\n hist[ab[k]] += 1.0\n count += 1.0\n rsfx_candidate.extend(oracle.rsfx[s])\n return count, hist\n", "role": "user" }, { "content": "rsfx_count", "role": "assistant" } ]
def x(oracle, obs, trn_type=1, reverse_init=False, method='else', decay=1.0): N = len(obs) if reverse_init: r_oracle = create_reverse_oracle(oracle) _ind = [(r_oracle.n_states - rsfx) for rsfx in r_oracle.rsfx[0][:]] init_ind = [] for i in _ind: s = i while oracle.sfx[s] != 0: s = oracle.sfx[s] init_ind.append(s) K = r_oracle.num_clusters() else: init_ind = oracle.rsfx[0][:] K = oracle.num_clusters() P = np.zeros((N, K), dtype='int') T = np.zeros((N,), dtype='int') map_k_outer = partial(_query_k, oracle=oracle, query=obs) map_query = partial(_query_init, oracle=oracle, query=obs[0], method=method ) argmin = np.argmin P[0], C = zip(*map(map_query, init_ind)) C = np.array(C) T[0] = P[0][argmin(C)] if trn_type == 1: trn = _create_trn_self elif trn_type == 2: trn = _create_trn_sfx_rsfx else: trn = _create_trn distance_cache = np.zeros(oracle.n_states) for i in range(1, N): state_cache = [] dist_cache = distance_cache map_k_inner = partial(map_k_outer, i=i, P=P, trn=trn, state_cache= state_cache, dist_cache=dist_cache) P[i], _c = zip(*map(map_k_inner, range(K))) C = decay * C + np.array(_c) T[i] = P[i][argmin(C)] return T
tracking
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(oracle, obs, trn_type=1, reverse_init=False, method='else', decay=1.0):\n N = len(obs)\n if reverse_init:\n r_oracle = create_reverse_oracle(oracle)\n _ind = [(r_oracle.n_states - rsfx) for rsfx in r_oracle.rsfx[0][:]]\n init_ind = []\n for i in _ind:\n s = i\n while oracle.sfx[s] != 0:\n s = oracle.sfx[s]\n init_ind.append(s)\n K = r_oracle.num_clusters()\n else:\n init_ind = oracle.rsfx[0][:]\n K = oracle.num_clusters()\n P = np.zeros((N, K), dtype='int')\n T = np.zeros((N,), dtype='int')\n map_k_outer = partial(_query_k, oracle=oracle, query=obs)\n map_query = partial(_query_init, oracle=oracle, query=obs[0], method=method\n )\n argmin = np.argmin\n P[0], C = zip(*map(map_query, init_ind))\n C = np.array(C)\n T[0] = P[0][argmin(C)]\n if trn_type == 1:\n trn = _create_trn_self\n elif trn_type == 2:\n trn = _create_trn_sfx_rsfx\n else:\n trn = _create_trn\n distance_cache = np.zeros(oracle.n_states)\n for i in range(1, N):\n state_cache = []\n dist_cache = distance_cache\n map_k_inner = partial(map_k_outer, i=i, P=P, trn=trn, state_cache=\n state_cache, dist_cache=dist_cache)\n P[i], _c = zip(*map(map_k_inner, range(K)))\n C = decay * C + np.array(_c)\n T[i] = P[i][argmin(C)]\n return T\n", "role": "user" }, { "content": "tracking", "role": "assistant" } ]
def x(k, oracle, query, method='all'): if method == 'all': a = np.subtract(query, [oracle.f_array[t] for t in oracle.latent[ oracle.data[k]]]) dvec = (a * a).sum(axis=1) _d = dvec.argmin() return oracle.latent[oracle.data[k]][_d], dvec[_d] else: a = np.subtract(query, oracle.f_array[k]) dvec = (a * a).sum() return k, dvec
query_init
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(k, oracle, query, method='all'):\n if method == 'all':\n a = np.subtract(query, [oracle.f_array[t] for t in oracle.latent[\n oracle.data[k]]])\n dvec = (a * a).sum(axis=1)\n _d = dvec.argmin()\n return oracle.latent[oracle.data[k]][_d], dvec[_d]\n else:\n a = np.subtract(query, oracle.f_array[k])\n dvec = (a * a).sum()\n return k, dvec\n", "role": "user" }, { "content": "query_init", "role": "assistant" } ]
def x(oracle, query, trn_list): a = np.subtract(query, [oracle.f_array[t] for t in trn_list]) return (a * a).sum(axis=1)
dist_obs_oracle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(oracle, query, trn_list):\n a = np.subtract(query, [oracle.f_array[t] for t in trn_list])\n return (a * a).sum(axis=1)\n", "role": "user" }, { "content": "dist_obs_oracle", "role": "assistant" } ]
def x(k, i, P, oracle, query, trn, state_cache, dist_cache, smooth=False, D =None, weight=0.5): _trn = trn(oracle, P[i - 1][k]) t = list(itertools.chain.from_iterable([oracle.latent[oracle.data[j]] for j in _trn])) _trn_unseen = [_t for _t in _trn if _t not in state_cache] state_cache.extend(_trn_unseen) if _trn_unseen: t_unseen = list(itertools.chain.from_iterable([oracle.latent[oracle .data[j]] for j in _trn_unseen])) dist_cache[t_unseen] = _dist_obs_oracle(oracle, query[i], t_unseen) dvec = dist_cache[t] if smooth and P[i - 1][k] < oracle.n_states - 1: dvec = dvec * (1.0 - weight) + weight * np.array([D[P[i - 1][k]][_t - 1] for _t in t]) _m = np.argmin(dvec) return t[_m], dvec[_m]
query_k
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(k, i, P, oracle, query, trn, state_cache, dist_cache, smooth=False, D\n =None, weight=0.5):\n _trn = trn(oracle, P[i - 1][k])\n t = list(itertools.chain.from_iterable([oracle.latent[oracle.data[j]] for\n j in _trn]))\n _trn_unseen = [_t for _t in _trn if _t not in state_cache]\n state_cache.extend(_trn_unseen)\n if _trn_unseen:\n t_unseen = list(itertools.chain.from_iterable([oracle.latent[oracle\n .data[j]] for j in _trn_unseen]))\n dist_cache[t_unseen] = _dist_obs_oracle(oracle, query[i], t_unseen)\n dvec = dist_cache[t]\n if smooth and P[i - 1][k] < oracle.n_states - 1:\n dvec = dvec * (1.0 - weight) + weight * np.array([D[P[i - 1][k]][_t -\n 1] for _t in t])\n _m = np.argmin(dvec)\n return t[_m], dvec[_m]\n", "role": "user" }, { "content": "query_k", "role": "assistant" } ]
def x(cmd, verbose=False, **kwargs): try: with open(os.devnull, 'w') as fnull: with captured_output(): check_output(cmd, stderr=fnull, **kwargs) return True except (CalledProcessError, OSError) as e: if verbose: cprint(' Error running command %s' % ' '.join(cmd), 'err') print(e.output) return False except Exception as e: return False
safe_shell_out
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cmd, verbose=False, **kwargs):\n try:\n with open(os.devnull, 'w') as fnull:\n with captured_output():\n check_output(cmd, stderr=fnull, **kwargs)\n return True\n except (CalledProcessError, OSError) as e:\n if verbose:\n cprint(' Error running command %s' % ' '.join(cmd), 'err')\n print(e.output)\n return False\n except Exception as e:\n return False\n", "role": "user" }, { "content": "safe_shell_out", "role": "assistant" } ]
def x(message, status=None): status = {'warn': Fore.YELLOW, 'err': Fore.RED, 'ok': Fore.GREEN, None: Style.BRIGHT}[status] print(status + message + Style.RESET_ALL)
cprint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(message, status=None):\n status = {'warn': Fore.YELLOW, 'err': Fore.RED, 'ok': Fore.GREEN, None:\n Style.BRIGHT}[status]\n print(status + message + Style.RESET_ALL)\n", "role": "user" }, { "content": "cprint", "role": "assistant" } ]
def x(env): if not os.path.isfile(env.envctoxfile): return [] with open(env.envctoxfile) as f: return f.read().split()
prev_deps
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(env):\n if not os.path.isfile(env.envctoxfile):\n return []\n with open(env.envctoxfile) as f:\n return f.read().split()\n", "role": "user" }, { "content": "prev_deps", "role": "assistant" } ]
def x(toxinidir, toxdir, package): dist = os.path.join(toxdir, 'dist') success = safe_shell_out(['python', 'setup.py', 'sdist', '--quiet', '--formats=zip', '--dist-dir', dist], cwd=toxinidir) if success: return os.path.join(dist, package + '.zip')
make_dist
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(toxinidir, toxdir, package):\n dist = os.path.join(toxdir, 'dist')\n success = safe_shell_out(['python', 'setup.py', 'sdist', '--quiet',\n '--formats=zip', '--dist-dir', dist], cwd=toxinidir)\n if success:\n return os.path.join(dist, package + '.zip')\n", "role": "user" }, { "content": "make_dist", "role": "assistant" } ]
def x(env, command): cmd = abbr_cmd = command[0] if cmd.startswith(env.envbindir): abbr_cmd = os.path.relpath(cmd, env.envbindir) if abbr_cmd == '.': abbr_cmd = cmd command[0] = abbr_cmd print('(%s)$ %s' % (env.name, ' '.join([('"%s"' % c if ' ' in c else c) for c in command]))) command[0] = cmd return abbr_cmd, cmd, command
print_pretty_command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(env, command):\n cmd = abbr_cmd = command[0]\n if cmd.startswith(env.envbindir):\n abbr_cmd = os.path.relpath(cmd, env.envbindir)\n if abbr_cmd == '.':\n abbr_cmd = cmd\n command[0] = abbr_cmd\n print('(%s)$ %s' % (env.name, ' '.join([('\"%s\"' % c if ' ' in c else c) for\n c in command])))\n command[0] = cmd\n return abbr_cmd, cmd, command\n", "role": "user" }, { "content": "print_pretty_command", "role": "assistant" } ]
def x(self, optimize_brlen=False, approx_grad=False, logliktol=0.01, nparamsretry=1, printfunc=None): assert len(self.paramsarray) > 0, 'No parameters to optimize' assert nparamsretry >= 0 assert logliktol > 0 def x(x): self.paramsarray = x return -self.loglik def x(x): self.paramsarray = x return -self.dloglikarray def x(x): self.t = x return -self.loglik def x(x): self.t = x return -self.dloglik_dt if approx_grad: paramsdfunc = False tdfunc = False self.dtcurrent = False self.dparamscurrent = False def x(opttype, result, i, old, new): if printfunc is not None: printfunc( """Step {0}, optimized {1}. Likelihood went from {2} to {3}. Max magnitude in Jacobian is {4}. Full optimization result: {5} """ .format(i, opttype, old, new, scipy.absolute(result.jac). max(), result)) oldloglik = self.loglik converged = False firstbrlenpass = True options = {'ftol': 1e-07} summary = [] i = 1 while not converged: if not self.dparamscurrent and not approx_grad: self.dtcurrent = False self.dparamscurrent = True nparamstry = 0 origparamsarray = self.paramsarray.copy() paramsconverged = False while not paramsconverged: result = scipy.optimize.minimize(paramsfunc, self.paramsarray, method='L-BFGS-B', jac=paramsdfunc, bounds=self. paramsarraybounds, options=options) _printResult('params', result, i, oldloglik, self.loglik) msg = ( 'Step {0}: optimized parameters, loglik went from {1:.2f} to {2:.2f} ({3} iterations, {4} function evals)' .format(i, oldloglik, self.loglik, result.nit, result.nfev)) summary.append(msg) if result.success and not oldloglik - self.loglik > logliktol: paramsconverged = True jacmax = scipy.absolute(result.jac).max() if jacmax > 1000 and not (firstbrlenpass and optimize_brlen): warnings.warn( """Optimizer reports convergence, but max element in Jacobian is {0} Summary of optimization: {1}""" .format(jacmax, summary)) else: if not result.success: resultmessage = result.message else: resultmessage = ( 'loglik increased in param optimization from {0} to {1}' .format(oldloglik, self.loglik)) nparamstry += 1 failmsg = 'Optimization failure {0}\n{1}\n{2}'.format( nparamstry, resultmessage, '\n'.join(summary)) if nparamstry > nparamsretry: raise RuntimeError(failmsg) else: warnings.warn(failmsg + '\n\n' + 'Re-trying with different initial params.') scipy.random.seed(nparamstry) minarray = scipy.array([self.paramsarraybounds[j][0] for j in range(len(self.paramsarray))]) maxarray = scipy.array([self.paramsarraybounds[j][1] for j in range(len(self.paramsarray))]) randarray = scipy.random.uniform(minarray, maxarray) newarray = (minarray * maxarray * randarray * origparamsarray) ** (1 / 4.0) assert newarray.shape == self.paramsarray.shape assert (newarray > minarray).all() assert (newarray < maxarray).all() self.paramsarray = newarray i += 1 assert oldloglik - self.loglik <= logliktol if self.loglik - oldloglik >= logliktol or firstbrlenpass: firstbrlenpass = False oldloglik = self.loglik if optimize_brlen: if not approx_grad: self.dparamscurrent = False self.dtcurrent = True result = scipy.optimize.minimize(tfunc, self.t, method= 'L-BFGS-B', jac=tdfunc, options=options, bounds=[( ALMOST_ZERO, None)] * len(self.t)) _printResult('branches', result, i, oldloglik, self.loglik) summary.append( 'Step {0}: optimized branches, loglik went from {1:.2f} to {2:.2f} ({3} iterations, {4} function evals)' .format(i, oldloglik, self.loglik, result.nit, result.nfev) ) i += 1 assert result.success, 'Optimization failed\n{0}\n{1}\n{2}'.format( result.message, self.t, '\n'.join(summary)) if oldloglik - self.loglik > logliktol: raise RuntimeError( 'loglik increased during t optimization: {0} to {1}' .format(oldloglik, self.loglik)) elif self.loglik - oldloglik >= logliktol: oldloglik = self.loglik else: converged = True else: converged = True else: converged = True return '\n'.join(summary)
maximizeLikelihood
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, optimize_brlen=False, approx_grad=False, logliktol=0.01,\n nparamsretry=1, printfunc=None):\n assert len(self.paramsarray) > 0, 'No parameters to optimize'\n assert nparamsretry >= 0\n assert logliktol > 0\n\n def x(x):\n self.paramsarray = x\n return -self.loglik\n\n def x(x):\n self.paramsarray = x\n return -self.dloglikarray\n\n def x(x):\n self.t = x\n return -self.loglik\n\n def x(x):\n self.t = x\n return -self.dloglik_dt\n if approx_grad:\n paramsdfunc = False\n tdfunc = False\n self.dtcurrent = False\n self.dparamscurrent = False\n\n def x(opttype, result, i, old, new):\n if printfunc is not None:\n printfunc(\n \"\"\"Step {0}, optimized {1}.\nLikelihood went from {2} to {3}.\nMax magnitude in Jacobian is {4}.\nFull optimization result:\n{5}\n\"\"\"\n .format(i, opttype, old, new, scipy.absolute(result.jac).\n max(), result))\n oldloglik = self.loglik\n converged = False\n firstbrlenpass = True\n options = {'ftol': 1e-07}\n summary = []\n i = 1\n while not converged:\n if not self.dparamscurrent and not approx_grad:\n self.dtcurrent = False\n self.dparamscurrent = True\n nparamstry = 0\n origparamsarray = self.paramsarray.copy()\n paramsconverged = False\n while not paramsconverged:\n result = scipy.optimize.minimize(paramsfunc, self.paramsarray,\n method='L-BFGS-B', jac=paramsdfunc, bounds=self.\n paramsarraybounds, options=options)\n _printResult('params', result, i, oldloglik, self.loglik)\n msg = (\n 'Step {0}: optimized parameters, loglik went from {1:.2f} to {2:.2f} ({3} iterations, {4} function evals)'\n .format(i, oldloglik, self.loglik, result.nit, result.nfev))\n summary.append(msg)\n if result.success and not oldloglik - self.loglik > logliktol:\n paramsconverged = True\n jacmax = scipy.absolute(result.jac).max()\n if jacmax > 1000 and not (firstbrlenpass and optimize_brlen):\n warnings.warn(\n \"\"\"Optimizer reports convergence, but max element in Jacobian is {0}\nSummary of optimization:\n{1}\"\"\"\n .format(jacmax, summary))\n else:\n if not result.success:\n resultmessage = result.message\n else:\n resultmessage = (\n 'loglik increased in param optimization from {0} to {1}'\n .format(oldloglik, self.loglik))\n nparamstry += 1\n failmsg = 'Optimization failure {0}\\n{1}\\n{2}'.format(\n nparamstry, resultmessage, '\\n'.join(summary))\n if nparamstry > nparamsretry:\n raise RuntimeError(failmsg)\n else:\n warnings.warn(failmsg + '\\n\\n' +\n 'Re-trying with different initial params.')\n scipy.random.seed(nparamstry)\n minarray = scipy.array([self.paramsarraybounds[j][0] for\n j in range(len(self.paramsarray))])\n maxarray = scipy.array([self.paramsarraybounds[j][1] for\n j in range(len(self.paramsarray))])\n randarray = scipy.random.uniform(minarray, maxarray)\n newarray = (minarray * maxarray * randarray *\n origparamsarray) ** (1 / 4.0)\n assert newarray.shape == self.paramsarray.shape\n assert (newarray > minarray).all()\n assert (newarray < maxarray).all()\n self.paramsarray = newarray\n i += 1\n assert oldloglik - self.loglik <= logliktol\n if self.loglik - oldloglik >= logliktol or firstbrlenpass:\n firstbrlenpass = False\n oldloglik = self.loglik\n if optimize_brlen:\n if not approx_grad:\n self.dparamscurrent = False\n self.dtcurrent = True\n result = scipy.optimize.minimize(tfunc, self.t, method=\n 'L-BFGS-B', jac=tdfunc, options=options, bounds=[(\n ALMOST_ZERO, None)] * len(self.t))\n _printResult('branches', result, i, oldloglik, self.loglik)\n summary.append(\n 'Step {0}: optimized branches, loglik went from {1:.2f} to {2:.2f} ({3} iterations, {4} function evals)'\n .format(i, oldloglik, self.loglik, result.nit, result.nfev)\n )\n i += 1\n assert result.success, 'Optimization failed\\n{0}\\n{1}\\n{2}'.format(\n result.message, self.t, '\\n'.join(summary))\n if oldloglik - self.loglik > logliktol:\n raise RuntimeError(\n 'loglik increased during t optimization: {0} to {1}'\n .format(oldloglik, self.loglik))\n elif self.loglik - oldloglik >= logliktol:\n oldloglik = self.loglik\n else:\n converged = True\n else:\n converged = True\n else:\n converged = True\n return '\\n'.join(summary)\n", "role": "user" }, { "content": "maximizeLikelihood", "role": "assistant" } ]
def x(self): bs = self.model.branchScale for node in self._tree.find_clades(): if node != self._tree.root: node.branch_length = self.t[self.name_to_nodeindex[node]] * bs return self._tree
tree
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n bs = self.model.branchScale\n for node in self._tree.find_clades():\n if node != self._tree.root:\n node.branch_length = self.t[self.name_to_nodeindex[node]] * bs\n return self._tree\n", "role": "user" }, { "content": "tree", "role": "assistant" } ]
def x(self): bounds = [] for i, param in self._index_to_param.items(): if isinstance(param, str): bounds.append(self.model.PARAMLIMITS[param]) elif isinstance(param, tuple): bounds.append(self.model.PARAMLIMITS[param[0]]) else: raise ValueError('Invalid param type') bounds = [(tup[0] + ALMOST_ZERO, tup[1] - ALMOST_ZERO) for tup in bounds] assert len(bounds) == len(self._index_to_param) return tuple(bounds)
paramsarraybounds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n bounds = []\n for i, param in self._index_to_param.items():\n if isinstance(param, str):\n bounds.append(self.model.PARAMLIMITS[param])\n elif isinstance(param, tuple):\n bounds.append(self.model.PARAMLIMITS[param[0]])\n else:\n raise ValueError('Invalid param type')\n bounds = [(tup[0] + ALMOST_ZERO, tup[1] - ALMOST_ZERO) for tup in bounds]\n assert len(bounds) == len(self._index_to_param)\n return tuple(bounds)\n", "role": "user" }, { "content": "paramsarraybounds", "role": "assistant" } ]
def x(self): if self._paramsarray is not None: return self._paramsarray.copy() nparams = len(self._index_to_param) self._paramsarray = scipy.ndarray(shape=(nparams,), dtype='float') for i, param in self._index_to_param.items(): if isinstance(param, str): self._paramsarray[i] = getattr(self.model, param) elif isinstance(param, tuple): self._paramsarray[i] = getattr(self.model, param[0])[param[1]] else: raise ValueError('Invalid param type') return self._paramsarray.copy()
paramsarray
[ { "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._paramsarray is not None:\n return self._paramsarray.copy()\n nparams = len(self._index_to_param)\n self._paramsarray = scipy.ndarray(shape=(nparams,), dtype='float')\n for i, param in self._index_to_param.items():\n if isinstance(param, str):\n self._paramsarray[i] = getattr(self.model, param)\n elif isinstance(param, tuple):\n self._paramsarray[i] = getattr(self.model, param[0])[param[1]]\n else:\n raise ValueError('Invalid param type')\n return self._paramsarray.copy()\n", "role": "user" }, { "content": "paramsarray", "role": "assistant" } ]
def x(self, value): nparams = len(self._index_to_param) assert isinstance(value, scipy.ndarray ) and value.ndim == 1, 'paramsarray must be 1-dim ndarray' assert len(value ) == nparams, 'Assigning paramsarray to ndarray of the wrong length.' if self._paramsarray is not None and all(value == self._paramsarray): return newvalues = {} vectorized_params = {} for i, param in self._index_to_param.items(): if isinstance(param, str): newvalues[param] = float(value[i]) elif isinstance(param, tuple): iparam, iparamindex = param if iparam in vectorized_params: assert iparamindex not in vectorized_params[iparam] vectorized_params[iparam][iparamindex] = float(value[i]) else: vectorized_params[iparam] = {iparamindex: float(value[i])} else: raise ValueError('Invalid param type') for param, paramd in vectorized_params.items(): assert set(paramd.keys()) == set(range(len(paramd))) newvalues[param] = scipy.array([paramd[i] for i in range(len(paramd ))], dtype='float') self.updateParams(newvalues) self._paramsarray = self.paramsarray
paramsarray
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n nparams = len(self._index_to_param)\n assert isinstance(value, scipy.ndarray\n ) and value.ndim == 1, 'paramsarray must be 1-dim ndarray'\n assert len(value\n ) == nparams, 'Assigning paramsarray to ndarray of the wrong length.'\n if self._paramsarray is not None and all(value == self._paramsarray):\n return\n newvalues = {}\n vectorized_params = {}\n for i, param in self._index_to_param.items():\n if isinstance(param, str):\n newvalues[param] = float(value[i])\n elif isinstance(param, tuple):\n iparam, iparamindex = param\n if iparam in vectorized_params:\n assert iparamindex not in vectorized_params[iparam]\n vectorized_params[iparam][iparamindex] = float(value[i])\n else:\n vectorized_params[iparam] = {iparamindex: float(value[i])}\n else:\n raise ValueError('Invalid param type')\n for param, paramd in vectorized_params.items():\n assert set(paramd.keys()) == set(range(len(paramd)))\n newvalues[param] = scipy.array([paramd[i] for i in range(len(paramd\n ))], dtype='float')\n self.updateParams(newvalues)\n self._paramsarray = self.paramsarray\n", "role": "user" }, { "content": "paramsarray", "role": "assistant" } ]
def x(self, value): assert isinstance(value, bool) if value and self.dparamscurrent: raise RuntimeError("Can't set both dparamscurrent and dtcurrent True") if value != self.dtcurrent: self._dtcurrent = value self._updateInternals()
dtcurrent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n assert isinstance(value, bool)\n if value and self.dparamscurrent:\n raise RuntimeError(\"Can't set both dparamscurrent and dtcurrent True\")\n if value != self.dtcurrent:\n self._dtcurrent = value\n self._updateInternals()\n", "role": "user" }, { "content": "dtcurrent", "role": "assistant" } ]
def x(self, value): assert isinstance(value, scipy.ndarray ) and value.dtype == 'float' and value.shape == self.t.shape if (self._t != value).any(): self._t = value.copy() self._updateInternals()
t
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n assert isinstance(value, scipy.ndarray\n ) and value.dtype == 'float' and value.shape == self.t.shape\n if (self._t != value).any():\n self._t = value.copy()\n self._updateInternals()\n", "role": "user" }, { "content": "t", "role": "assistant" } ]
def x(self): assert self.dparamscurrent, 'dloglikarray requires paramscurrent == True' nparams = len(self._index_to_param) dloglikarray = scipy.ndarray(shape=(nparams,), dtype='float') for i, param in self._index_to_param.items(): if isinstance(param, str): dloglikarray[i] = self.dloglik[param] elif isinstance(param, tuple): dloglikarray[i] = self.dloglik[param[0]][param[1]] return dloglikarray
dloglikarray
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n assert self.dparamscurrent, 'dloglikarray requires paramscurrent == True'\n nparams = len(self._index_to_param)\n dloglikarray = scipy.ndarray(shape=(nparams,), dtype='float')\n for i, param in self._index_to_param.items():\n if isinstance(param, str):\n dloglikarray[i] = self.dloglik[param]\n elif isinstance(param, tuple):\n dloglikarray[i] = self.dloglik[param[0]][param[1]]\n return dloglikarray\n", "role": "user" }, { "content": "dloglikarray", "role": "assistant" } ]
def x(self, newvalues): for param, value in newvalues.items(): if param not in self.model.freeparams: raise RuntimeError("Can't handle param: {0}".format(param)) if newvalues: self.model.updateParams(newvalues) self._updateInternals() self._paramsarray = None
updateParams
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, newvalues):\n for param, value in newvalues.items():\n if param not in self.model.freeparams:\n raise RuntimeError(\"Can't handle param: {0}\".format(param))\n if newvalues:\n self.model.updateParams(newvalues)\n self._updateInternals()\n self._paramsarray = None\n", "role": "user" }, { "content": "updateParams", "role": "assistant" } ]
def x(self): rootnode = self.nnodes - 1 if self._distributionmodel: catweights = self.model.catweights else: catweights = scipy.ones(1, dtype='float') undererrstate = 'ignore' if len(catweights) > 1 else 'raise' with scipy.errstate(over='raise', under=undererrstate, divide='raise', invalid='raise'): self.underflowlogscale.fill(0.0) self._computePartialLikelihoods() sitelik = scipy.zeros(self.nsites, dtype='float') assert (self.L[rootnode] >= 0).all(), str(self.L[rootnode]) for k in self._catindices: sitelik += scipy.sum(self._stationarystate(k) * self.L[rootnode ][k], axis=1) * catweights[k] assert (sitelik > 0).all(), 'Underflow:\n{0}\n{1}'.format(sitelik, self.underflowlogscale) self.siteloglik = scipy.log(sitelik) + self.underflowlogscale self.loglik = scipy.sum(self.siteloglik) + self.model.logprior if self.dparamscurrent: self._dloglik = {} for param in self.model.freeparams: if (self._distributionmodel and param in self.model. distributionparams): name = self.model.distributedparam weighted_dk = self.model.d_distributionparams[param ] * catweights else: name = param weighted_dk = catweights dsiteloglik = 0 for k in self._catindices: dsiteloglik += scipy.sum(self._dstationarystate(k, name ) * self.L[rootnode][k] + self.dL[name][rootnode][k ] * self._stationarystate(k), axis=-1) * weighted_dk[k] dsiteloglik /= sitelik self._dloglik[param] = scipy.sum(dsiteloglik, axis=-1 ) + self.model.dlogprior(param) if self.dtcurrent: self._dloglik_dt = 0 dLnroot_dt = scipy.array([self.dL_dt[n2][rootnode] for n2 in sorted(self.dL_dt.keys())]) for k in self._catindices: if isinstance(k, int): dLnrootk_dt = dLnroot_dt.swapaxes(0, 1)[k] else: assert k == slice(None) dLnrootk_dt = dLnroot_dt self._dloglik_dt += catweights[k] * scipy.sum(self. _stationarystate(k) * dLnrootk_dt, axis=-1) self._dloglik_dt /= sitelik self._dloglik_dt = scipy.sum(self._dloglik_dt, axis=-1) assert self._dloglik_dt.shape == self.t.shape
updateInternals
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n rootnode = self.nnodes - 1\n if self._distributionmodel:\n catweights = self.model.catweights\n else:\n catweights = scipy.ones(1, dtype='float')\n undererrstate = 'ignore' if len(catweights) > 1 else 'raise'\n with scipy.errstate(over='raise', under=undererrstate, divide='raise',\n invalid='raise'):\n self.underflowlogscale.fill(0.0)\n self._computePartialLikelihoods()\n sitelik = scipy.zeros(self.nsites, dtype='float')\n assert (self.L[rootnode] >= 0).all(), str(self.L[rootnode])\n for k in self._catindices:\n sitelik += scipy.sum(self._stationarystate(k) * self.L[rootnode\n ][k], axis=1) * catweights[k]\n assert (sitelik > 0).all(), 'Underflow:\\n{0}\\n{1}'.format(sitelik,\n self.underflowlogscale)\n self.siteloglik = scipy.log(sitelik) + self.underflowlogscale\n self.loglik = scipy.sum(self.siteloglik) + self.model.logprior\n if self.dparamscurrent:\n self._dloglik = {}\n for param in self.model.freeparams:\n if (self._distributionmodel and param in self.model.\n distributionparams):\n name = self.model.distributedparam\n weighted_dk = self.model.d_distributionparams[param\n ] * catweights\n else:\n name = param\n weighted_dk = catweights\n dsiteloglik = 0\n for k in self._catindices:\n dsiteloglik += scipy.sum(self._dstationarystate(k, name\n ) * self.L[rootnode][k] + self.dL[name][rootnode][k\n ] * self._stationarystate(k), axis=-1) * weighted_dk[k]\n dsiteloglik /= sitelik\n self._dloglik[param] = scipy.sum(dsiteloglik, axis=-1\n ) + self.model.dlogprior(param)\n if self.dtcurrent:\n self._dloglik_dt = 0\n dLnroot_dt = scipy.array([self.dL_dt[n2][rootnode] for n2 in\n sorted(self.dL_dt.keys())])\n for k in self._catindices:\n if isinstance(k, int):\n dLnrootk_dt = dLnroot_dt.swapaxes(0, 1)[k]\n else:\n assert k == slice(None)\n dLnrootk_dt = dLnroot_dt\n self._dloglik_dt += catweights[k] * scipy.sum(self.\n _stationarystate(k) * dLnrootk_dt, axis=-1)\n self._dloglik_dt /= sitelik\n self._dloglik_dt = scipy.sum(self._dloglik_dt, axis=-1)\n assert self._dloglik_dt.shape == self.t.shape\n", "role": "user" }, { "content": "updateInternals", "role": "assistant" } ]
def x(self, k, t, tips=None, gaps=None): if self._distributionmodel: return self.model.M(k, t, tips, gaps) else: return self.model.M(t, tips, gaps)
M
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, k, t, tips=None, gaps=None):\n if self._distributionmodel:\n return self.model.M(k, t, tips, gaps)\n else:\n return self.model.M(t, tips, gaps)\n", "role": "user" }, { "content": "M", "role": "assistant" } ]
def x(self, k, t, param, M, tips=None, gaps=None): if self._distributionmodel: return self.model.dM(k, t, param, M, tips, gaps) else: return self.model.dM(t, param, M, tips, gaps)
dM
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, k, t, param, M, tips=None, gaps=None):\n if self._distributionmodel:\n return self.model.dM(k, t, param, M, tips, gaps)\n else:\n return self.model.dM(t, param, M, tips, gaps)\n", "role": "user" }, { "content": "dM", "role": "assistant" } ]
def x(self, k): if self._distributionmodel: return self.model.stationarystate(k) else: return self.model.stationarystate
stationarystate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, k):\n if self._distributionmodel:\n return self.model.stationarystate(k)\n else:\n return self.model.stationarystate\n", "role": "user" }, { "content": "stationarystate", "role": "assistant" } ]
def x(self, k, param): if self._distributionmodel: return self.model.dstationarystate(k, param) else: return self.model.dstationarystate(param)
dstationarystate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, k, param):\n if self._distributionmodel:\n return self.model.dstationarystate(k, param)\n else:\n return self.model.dstationarystate(param)\n", "role": "user" }, { "content": "dstationarystate", "role": "assistant" } ]
def x(self): if self._distributionmodel: return [param for param in self.model.freeparams + [self.model. distributedparam] if param not in self.model.distributionparams] else: return self.model.freeparams
paramlist_PartialLikelihoods
[ { "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._distributionmodel:\n return [param for param in self.model.freeparams + [self.model.\n distributedparam] if param not in self.model.distributionparams]\n else:\n return self.model.freeparams\n", "role": "user" }, { "content": "paramlist_PartialLikelihoods", "role": "assistant" } ]
def x(self): for n in range(self.ntips, self.nnodes): ni = n - self.ntips nright = self.rdescend[ni] nleft = self.ldescend[ni] if nright < self.ntips: istipr = True else: istipr = False if nleft < self.ntips: istipl = True else: istipl = False tright = self.t[nright] tleft = self.t[nleft] self.L[n] = scipy.ndarray(self._Lshape, dtype='float') if self.dparamscurrent: for param in self._paramlist_PartialLikelihoods: self.dL[param][n] = scipy.ndarray(self._dLshape[param], dtype='float') if self.dtcurrent: for n2 in self.dL_dt.keys(): self.dL_dt[n2][n] = scipy.zeros(self._Lshape, dtype='float') for k in self._catindices: if istipr: Mright = MLright = self._M(k, tright, self.tips[nright], self.gaps[nright]) else: Mright = self._M(k, tright) MLright = broadcastMatrixVectorMultiply(Mright, self.L[ nright][k]) if istipl: Mleft = MLleft = self._M(k, tleft, self.tips[nleft], self. gaps[nleft]) else: Mleft = self._M(k, tleft) MLleft = broadcastMatrixVectorMultiply(Mleft, self.L[nleft][k]) self.L[n][k] = MLright * MLleft if self.dtcurrent: for tx, Mx, nx, MLxother, istipx in [(tright, Mright, nright, MLleft, istipr), (tleft, Mleft, nleft, MLright, istipl)]: if istipx: tipsx = self.tips[nx] gapsx = self.gaps[nx] else: tipsx = gapsx = None dM_dt = self._dM(k, tx, 't', Mx, tipsx, gapsx) if istipx: LdM_dt = dM_dt else: LdM_dt = broadcastMatrixVectorMultiply(dM_dt, self. L[nx][k]) self.dL_dt[nx][n][k] = LdM_dt * MLxother for ndx in self.descendants[nx]: self.dL_dt[ndx][n][k] = broadcastMatrixVectorMultiply( Mx, self.dL_dt[ndx][nx][k]) * MLxother if self.dparamscurrent: for param in self._paramlist_PartialLikelihoods: if istipr: dMright = self._dM(k, tright, param, Mright, self. tips[nright], self.gaps[nright]) else: dMright = self._dM(k, tright, param, Mright) if istipl: dMleft = self._dM(k, tleft, param, Mleft, self.tips [nleft], self.gaps[nleft]) else: dMleft = self._dM(k, tleft, param, Mleft) for j in self._sub_index_param(param): if istipr: dMLright = dMright[j] MdLright = 0 else: dMLright = broadcastMatrixVectorMultiply(dMright [j], self.L[nright][k]) MdLright = broadcastMatrixVectorMultiply(Mright, self.dL[param][nright][k][j]) if istipl: dMLleft = dMleft[j] MdLleft = 0 else: dMLleft = broadcastMatrixVectorMultiply(dMleft[ j], self.L[nleft][k]) MdLleft = broadcastMatrixVectorMultiply(Mleft, self.dL[param][nleft][k][j]) self.dL[param][n][k][j] = (dMLright + MdLright ) * MLleft + MLright * (dMLleft + MdLleft) if ni > 0 and ni % self.underflowfreq == 0: scale = scipy.amax(scipy.array([scipy.amax(self.L[n][k], axis=1 ) for k in self._catindices]), axis=0) assert scale.shape == (self.nsites,) self.underflowlogscale += scipy.log(scale) for k in self._catindices: self.L[n][k] /= scale[:, scipy.newaxis] if self.dtcurrent: for n2 in self.dL_dt.keys(): self.dL_dt[n2][n][k] /= scale[:, scipy.newaxis] if self.dparamscurrent: for param in self._paramlist_PartialLikelihoods: for j in self._sub_index_param(param): self.dL[param][n][k][j] /= scale[:, scipy.newaxis] for ntodel in [nright, nleft]: if ntodel in self.L: del self.L[ntodel] if self.dparamscurrent: for param in self._paramlist_PartialLikelihoods: if ntodel in self.dL[param]: del self.dL[param][ntodel] if self.dtcurrent: for n2 in self.dL_dt.keys(): if ntodel in self.dL_dt[n2]: del self.dL_dt[n2][ntodel]
computePartialLikelihoods
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for n in range(self.ntips, self.nnodes):\n ni = n - self.ntips\n nright = self.rdescend[ni]\n nleft = self.ldescend[ni]\n if nright < self.ntips:\n istipr = True\n else:\n istipr = False\n if nleft < self.ntips:\n istipl = True\n else:\n istipl = False\n tright = self.t[nright]\n tleft = self.t[nleft]\n self.L[n] = scipy.ndarray(self._Lshape, dtype='float')\n if self.dparamscurrent:\n for param in self._paramlist_PartialLikelihoods:\n self.dL[param][n] = scipy.ndarray(self._dLshape[param],\n dtype='float')\n if self.dtcurrent:\n for n2 in self.dL_dt.keys():\n self.dL_dt[n2][n] = scipy.zeros(self._Lshape, dtype='float')\n for k in self._catindices:\n if istipr:\n Mright = MLright = self._M(k, tright, self.tips[nright],\n self.gaps[nright])\n else:\n Mright = self._M(k, tright)\n MLright = broadcastMatrixVectorMultiply(Mright, self.L[\n nright][k])\n if istipl:\n Mleft = MLleft = self._M(k, tleft, self.tips[nleft], self.\n gaps[nleft])\n else:\n Mleft = self._M(k, tleft)\n MLleft = broadcastMatrixVectorMultiply(Mleft, self.L[nleft][k])\n self.L[n][k] = MLright * MLleft\n if self.dtcurrent:\n for tx, Mx, nx, MLxother, istipx in [(tright, Mright,\n nright, MLleft, istipr), (tleft, Mleft, nleft, MLright,\n istipl)]:\n if istipx:\n tipsx = self.tips[nx]\n gapsx = self.gaps[nx]\n else:\n tipsx = gapsx = None\n dM_dt = self._dM(k, tx, 't', Mx, tipsx, gapsx)\n if istipx:\n LdM_dt = dM_dt\n else:\n LdM_dt = broadcastMatrixVectorMultiply(dM_dt, self.\n L[nx][k])\n self.dL_dt[nx][n][k] = LdM_dt * MLxother\n for ndx in self.descendants[nx]:\n self.dL_dt[ndx][n][k] = broadcastMatrixVectorMultiply(\n Mx, self.dL_dt[ndx][nx][k]) * MLxother\n if self.dparamscurrent:\n for param in self._paramlist_PartialLikelihoods:\n if istipr:\n dMright = self._dM(k, tright, param, Mright, self.\n tips[nright], self.gaps[nright])\n else:\n dMright = self._dM(k, tright, param, Mright)\n if istipl:\n dMleft = self._dM(k, tleft, param, Mleft, self.tips\n [nleft], self.gaps[nleft])\n else:\n dMleft = self._dM(k, tleft, param, Mleft)\n for j in self._sub_index_param(param):\n if istipr:\n dMLright = dMright[j]\n MdLright = 0\n else:\n dMLright = broadcastMatrixVectorMultiply(dMright\n [j], self.L[nright][k])\n MdLright = broadcastMatrixVectorMultiply(Mright,\n self.dL[param][nright][k][j])\n if istipl:\n dMLleft = dMleft[j]\n MdLleft = 0\n else:\n dMLleft = broadcastMatrixVectorMultiply(dMleft[\n j], self.L[nleft][k])\n MdLleft = broadcastMatrixVectorMultiply(Mleft,\n self.dL[param][nleft][k][j])\n self.dL[param][n][k][j] = (dMLright + MdLright\n ) * MLleft + MLright * (dMLleft + MdLleft)\n if ni > 0 and ni % self.underflowfreq == 0:\n scale = scipy.amax(scipy.array([scipy.amax(self.L[n][k], axis=1\n ) for k in self._catindices]), axis=0)\n assert scale.shape == (self.nsites,)\n self.underflowlogscale += scipy.log(scale)\n for k in self._catindices:\n self.L[n][k] /= scale[:, scipy.newaxis]\n if self.dtcurrent:\n for n2 in self.dL_dt.keys():\n self.dL_dt[n2][n][k] /= scale[:, scipy.newaxis]\n if self.dparamscurrent:\n for param in self._paramlist_PartialLikelihoods:\n for j in self._sub_index_param(param):\n self.dL[param][n][k][j] /= scale[:, scipy.newaxis]\n for ntodel in [nright, nleft]:\n if ntodel in self.L:\n del self.L[ntodel]\n if self.dparamscurrent:\n for param in self._paramlist_PartialLikelihoods:\n if ntodel in self.dL[param]:\n del self.dL[param][ntodel]\n if self.dtcurrent:\n for n2 in self.dL_dt.keys():\n if ntodel in self.dL_dt[n2]:\n del self.dL_dt[n2][ntodel]\n", "role": "user" }, { "content": "computePartialLikelihoods", "role": "assistant" } ]
def x(self, param): if self._distributionmodel and param == self.model.distributedparam: indices = [()] else: paramvalue = getattr(self.model, param) if isinstance(paramvalue, float): indices = [()] elif isinstance(paramvalue, scipy.ndarray ) and paramvalue.ndim == 1 and paramvalue.shape[0] > 1: indices = [(j,) for j in range(len(paramvalue))] else: raise RuntimeError('Invalid param: {0}, {1}'.format(param, paramvalue)) return indices
sub_index_param
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, param):\n if self._distributionmodel and param == self.model.distributedparam:\n indices = [()]\n else:\n paramvalue = getattr(self.model, param)\n if isinstance(paramvalue, float):\n indices = [()]\n elif isinstance(paramvalue, scipy.ndarray\n ) and paramvalue.ndim == 1 and paramvalue.shape[0] > 1:\n indices = [(j,) for j in range(len(paramvalue))]\n else:\n raise RuntimeError('Invalid param: {0}, {1}'.format(param,\n paramvalue))\n return indices\n", "role": "user" }, { "content": "sub_index_param", "role": "assistant" } ]
def x(self, *args, **kwargs): try: return super(JSHost, self).send_request(*args, **kwargs) except RequestsConnectionError as e: if (self.manager and self.has_connected and self.logfile and 'unsafe' not in kwargs): raise ProcessError( '{} appears to have crashed, you can inspect the log file at {}' .format(self.get_name(), self.logfile)) raise six.reraise(RequestsConnectionError, RequestsConnectionError( *e.args), sys.exc_info()[2])
send_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n try:\n return super(JSHost, self).send_request(*args, **kwargs)\n except RequestsConnectionError as e:\n if (self.manager and self.has_connected and self.logfile and \n 'unsafe' not in kwargs):\n raise ProcessError(\n '{} appears to have crashed, you can inspect the log file at {}'\n .format(self.get_name(), self.logfile))\n raise six.reraise(RequestsConnectionError, RequestsConnectionError(\n *e.args), sys.exc_info()[2])\n", "role": "user" }, { "content": "send_request", "role": "assistant" } ]
def x(D, k, max_iter=1000, damping=1, conv_thresh=0.0001, weighted=False, verbose=False): INTERVAL = 2 oscillation = 10 cbuff = np.zeros(100, dtype=float) cbuffpos = 0 N = D.shape[0] assert D.shape[1] == N, 'Input distance matrix must be square' mask = ~np.eye(N, dtype=bool) W = -D[mask].reshape((N, -1)).astype(float) degrees = np.clip(np.atleast_1d(k), 0, N - 1) if degrees.size == 1: degrees = np.repeat(degrees, N) else: assert degrees.shape == (N,), 'Input degrees must have length N' inds = np.tile(np.arange(N), (N, 1)) backinds = inds.copy() inds = inds[mask].reshape((N, -1)) backinds = backinds.T.ravel()[:N * (N - 1)].reshape((N, -1)) change = 1.0 B = W.copy() for n_iter in range(1, max_iter + 1): oldB = B.copy() update_belief(oldB, B, W, degrees, damping, inds, backinds) if n_iter % INTERVAL == 0: c = np.abs(B[:, 0]).sum() with np.errstate(invalid='ignore'): if np.any(np.abs(c - cbuff) < conv_thresh): oscillation -= 1 cbuff[cbuffpos] = c cbuffpos = (cbuffpos + 1) % len(cbuff) change = diff_belief(B, oldB) if np.isnan(change): warnings.warn( 'change is NaN! BP will quit but solution could be invalid. Problem may be infeasible.' ) break if change < conv_thresh or oscillation < 1: break else: warnings.warn('Hit iteration limit (%d) before converging' % max_iter) if verbose: if change < conv_thresh: print('Converged to stable beliefs in %d iterations' % n_iter) elif oscillation < 1: print('Stopped after reaching oscillation in %d iterations' % n_iter) print('No feasible solution found or there are multiple maxima.') print('Outputting best approximate solution. Try damping.') thresholds = np.zeros(N) for i, d in enumerate(degrees): Brow = B[i] if d >= N - 1: thresholds[i] = -np.inf elif d < 1: thresholds[i] = np.inf else: thresholds[i] = Brow[quickselect(-Brow, d - 1)] ii, jj = np.where(B >= thresholds[:, None]) pairs = np.column_stack((ii, inds[ii, jj])) w = D[ii, pairs[:, 1]] if weighted else None return Graph.from_edge_pairs(pairs, num_vertices=N, weights=w)
b_matching
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(D, k, max_iter=1000, damping=1, conv_thresh=0.0001, weighted=False,\n verbose=False):\n INTERVAL = 2\n oscillation = 10\n cbuff = np.zeros(100, dtype=float)\n cbuffpos = 0\n N = D.shape[0]\n assert D.shape[1] == N, 'Input distance matrix must be square'\n mask = ~np.eye(N, dtype=bool)\n W = -D[mask].reshape((N, -1)).astype(float)\n degrees = np.clip(np.atleast_1d(k), 0, N - 1)\n if degrees.size == 1:\n degrees = np.repeat(degrees, N)\n else:\n assert degrees.shape == (N,), 'Input degrees must have length N'\n inds = np.tile(np.arange(N), (N, 1))\n backinds = inds.copy()\n inds = inds[mask].reshape((N, -1))\n backinds = backinds.T.ravel()[:N * (N - 1)].reshape((N, -1))\n change = 1.0\n B = W.copy()\n for n_iter in range(1, max_iter + 1):\n oldB = B.copy()\n update_belief(oldB, B, W, degrees, damping, inds, backinds)\n if n_iter % INTERVAL == 0:\n c = np.abs(B[:, 0]).sum()\n with np.errstate(invalid='ignore'):\n if np.any(np.abs(c - cbuff) < conv_thresh):\n oscillation -= 1\n cbuff[cbuffpos] = c\n cbuffpos = (cbuffpos + 1) % len(cbuff)\n change = diff_belief(B, oldB)\n if np.isnan(change):\n warnings.warn(\n 'change is NaN! BP will quit but solution could be invalid. Problem may be infeasible.'\n )\n break\n if change < conv_thresh or oscillation < 1:\n break\n else:\n warnings.warn('Hit iteration limit (%d) before converging' % max_iter)\n if verbose:\n if change < conv_thresh:\n print('Converged to stable beliefs in %d iterations' % n_iter)\n elif oscillation < 1:\n print('Stopped after reaching oscillation in %d iterations' %\n n_iter)\n print('No feasible solution found or there are multiple maxima.')\n print('Outputting best approximate solution. Try damping.')\n thresholds = np.zeros(N)\n for i, d in enumerate(degrees):\n Brow = B[i]\n if d >= N - 1:\n thresholds[i] = -np.inf\n elif d < 1:\n thresholds[i] = np.inf\n else:\n thresholds[i] = Brow[quickselect(-Brow, d - 1)]\n ii, jj = np.where(B >= thresholds[:, None])\n pairs = np.column_stack((ii, inds[ii, jj]))\n w = D[ii, pairs[:, 1]] if weighted else None\n return Graph.from_edge_pairs(pairs, num_vertices=N, weights=w)\n", "role": "user" }, { "content": "b_matching", "role": "assistant" } ]
def x(oldB, B, W, degrees, damping, inds, backinds): for j, d in enumerate(degrees): kk = inds[j] bk = backinds[j] if d == 0: B[kk, bk] = -np.inf continue belief = W[kk, bk] + W[j] oldBj = oldB[j] if d == oldBj.shape[0]: bth = quickselect(-oldBj, d - 1) bplus = -1 else: bth, bplus = quickselect(-oldBj, d - 1, d) belief -= np.where(oldBj >= oldBj[bth], oldBj[bplus], oldBj[bth]) B[kk, bk] = damping * belief + (1 - damping) * oldB[kk, bk]
updateB
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(oldB, B, W, degrees, damping, inds, backinds):\n for j, d in enumerate(degrees):\n kk = inds[j]\n bk = backinds[j]\n if d == 0:\n B[kk, bk] = -np.inf\n continue\n belief = W[kk, bk] + W[j]\n oldBj = oldB[j]\n if d == oldBj.shape[0]:\n bth = quickselect(-oldBj, d - 1)\n bplus = -1\n else:\n bth, bplus = quickselect(-oldBj, d - 1, d)\n belief -= np.where(oldBj >= oldBj[bth], oldBj[bplus], oldBj[bth])\n B[kk, bk] = damping * belief + (1 - damping) * oldB[kk, bk]\n", "role": "user" }, { "content": "updateB", "role": "assistant" } ]
def x(f, newcode): newf = types.FunctionType(newcode, f.__globals__) newf.__annotations__ = f.__annotations__ newf.__defaults__ = f.__defaults__ newf.__doc__ = f.__doc__ newf.__name__ = f.__name__ newf.__kwdefaults__ = f.__kwdefaults__ newf.__qualname__ = f.__qualname__ return newf
func_copy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f, newcode):\n newf = types.FunctionType(newcode, f.__globals__)\n newf.__annotations__ = f.__annotations__\n newf.__defaults__ = f.__defaults__\n newf.__doc__ = f.__doc__\n newf.__name__ = f.__name__\n newf.__kwdefaults__ = f.__kwdefaults__\n newf.__qualname__ = f.__qualname__\n return newf\n", "role": "user" }, { "content": "func_copy", "role": "assistant" } ]
def x(mc, builtin_only=False, stoplist=[], verbose=False): import types try: d = vars(mc) except TypeError: return for k, v in d.items(): if isinstance(v, types.FunctionType): if verbose: print('make_constants(', v.__name__, ')') newv = _make_constants(v, builtin_only, stoplist, verbose) setattr(mc, k, newv) elif type(v) in (type, types.ModuleType): bind_all(v, builtin_only, stoplist, verbose)
bind_all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(mc, builtin_only=False, stoplist=[], verbose=False):\n import types\n try:\n d = vars(mc)\n except TypeError:\n return\n for k, v in d.items():\n if isinstance(v, types.FunctionType):\n if verbose:\n print('make_constants(', v.__name__, ')')\n newv = _make_constants(v, builtin_only, stoplist, verbose)\n setattr(mc, k, newv)\n elif type(v) in (type, types.ModuleType):\n bind_all(v, builtin_only, stoplist, verbose)\n", "role": "user" }, { "content": "bind_all", "role": "assistant" } ]
def x(builtin_only=False, stoplist=[], verbose=False): if type(builtin_only) == type(make_constants): raise ValueError('The make_constants decorator must have arguments.') return lambda f: _make_constants(f, builtin_only, stoplist, verbose)
make_constants
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(builtin_only=False, stoplist=[], verbose=False):\n if type(builtin_only) == type(make_constants):\n raise ValueError('The make_constants decorator must have arguments.')\n return lambda f: _make_constants(f, builtin_only, stoplist, verbose)\n", "role": "user" }, { "content": "make_constants", "role": "assistant" } ]
def x(): server = getServer() state = server.core.playback.get_state() logging.debug('Got playback state: %r', state) if state.upper() == 'STOPPED': print('Playback is currently stopped') else: track = server.core.playback.get_current_track() logging.debug('Track is %r', track) logging.debug('Track loaded is %r', jsonrpclib.jsonclass.load(track)) pos = server.core.playback.get_time_position() logging.debug('Pos is %r', pos) print('{} track: "{}", by {} (at {})'.format(state.title(), track[ 'name'], ','.join([a['name'] for a in track['artists']]), formatTimeposition(pos)))
state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n server = getServer()\n state = server.core.playback.get_state()\n logging.debug('Got playback state: %r', state)\n if state.upper() == 'STOPPED':\n print('Playback is currently stopped')\n else:\n track = server.core.playback.get_current_track()\n logging.debug('Track is %r', track)\n logging.debug('Track loaded is %r', jsonrpclib.jsonclass.load(track))\n pos = server.core.playback.get_time_position()\n logging.debug('Pos is %r', pos)\n print('{} track: \"{}\", by {} (at {})'.format(state.title(), track[\n 'name'], ','.join([a['name'] for a in track['artists']]),\n formatTimeposition(pos)))\n", "role": "user" }, { "content": "state", "role": "assistant" } ]
def x(): server = getServer() server.core.playback.pause() pos = server.core.playback.get_time_position() print('Paused at {}'.format(formatTimeposition(pos)))
pause
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n server = getServer()\n server.core.playback.pause()\n pos = server.core.playback.get_time_position()\n print('Paused at {}'.format(formatTimeposition(pos)))\n", "role": "user" }, { "content": "pause", "role": "assistant" } ]
def x(): _c = 0 server = getServer() _current = server.core.tracklist.index() for t in server.core.tracklist.get_tl_tracks(): logging.debug('Got tl trak: %r', t) currently = ' -- CURRENT' if t['tlid'] == _current else '' print('{}: {}{}'.format(t['tlid'], t['track']['name'], currently)) _c = _c + 1 print('===' * 6) print('{} tracks in tracklist'.format(_c))
tracklist
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n _c = 0\n server = getServer()\n _current = server.core.tracklist.index()\n for t in server.core.tracklist.get_tl_tracks():\n logging.debug('Got tl trak: %r', t)\n currently = ' -- CURRENT' if t['tlid'] == _current else ''\n print('{}: {}{}'.format(t['tlid'], t['track']['name'], currently))\n _c = _c + 1\n print('===' * 6)\n print('{} tracks in tracklist'.format(_c))\n", "role": "user" }, { "content": "tracklist", "role": "assistant" } ]
def x(argv=None): if argv is None: argv = sys.argv[1:] parser = argparse.ArgumentParser(description= 'Browse directories and tracks at the given uri and play them/it.') parser.add_argument('uri', help= 'The key that represents some directory belonging to a backend. E.g. plex:album:2323 or spotify:album:xxxx' ) parser.add_argument('-l', '--loglevel', help= 'Logging level. Default: %(default)s.', choices=('debug', 'info', 'warning', 'error'), default='warning') args = parse_args_and_apply_logging_level(parser, argv) server = getServer() hits = server.core.library.browse(args.uri) logging.info('Got hits from browse(): %r', hits) if len(hits) == 0: hits = server.core.library.lookup(args.uri) logging.info('Got hits from lookup() : %r', hits) if len(hits) == 0: print('No hits for "{}"'.format(args.uri)) else: server.core.tracklist.clear() logging.debug('got special uris: %r', [t['uri'] for t in hits]) server.core.tracklist.add(uris=[t['uri'] for t in hits]) server.core.playback.play()
play_backend_uri
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(argv=None):\n if argv is None:\n argv = sys.argv[1:]\n parser = argparse.ArgumentParser(description=\n 'Browse directories and tracks at the given uri and play them/it.')\n parser.add_argument('uri', help=\n 'The key that represents some directory belonging to a backend. E.g. plex:album:2323 or spotify:album:xxxx'\n )\n parser.add_argument('-l', '--loglevel', help=\n 'Logging level. Default: %(default)s.', choices=('debug', 'info',\n 'warning', 'error'), default='warning')\n args = parse_args_and_apply_logging_level(parser, argv)\n server = getServer()\n hits = server.core.library.browse(args.uri)\n logging.info('Got hits from browse(): %r', hits)\n if len(hits) == 0:\n hits = server.core.library.lookup(args.uri)\n logging.info('Got hits from lookup() : %r', hits)\n if len(hits) == 0:\n print('No hits for \"{}\"'.format(args.uri))\n else:\n server.core.tracklist.clear()\n logging.debug('got special uris: %r', [t['uri'] for t in hits])\n server.core.tracklist.add(uris=[t['uri'] for t in hits])\n server.core.playback.play()\n", "role": "user" }, { "content": "play_backend_uri", "role": "assistant" } ]
def x(self, default=None): try: result = self.pointer.next() self.pointer = itertools.chain([result], self.pointer) return result except StopIteration: return default
peek
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, default=None):\n try:\n result = self.pointer.next()\n self.pointer = itertools.chain([result], self.pointer)\n return result\n except StopIteration:\n return default\n", "role": "user" }, { "content": "peek", "role": "assistant" } ]
def x(self): if not self._token: self._token = self.fetch_token() logger.payment(self) return self._token
token
[ { "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._token:\n self._token = self.fetch_token()\n logger.payment(self)\n return self._token\n", "role": "user" }, { "content": "token", "role": "assistant" } ]
def x(self): if not self._transaction_id: self._transaction_id = random.randint(0, 10000000000 - 1) return self._transaction_id
transaction_id
[ { "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._transaction_id:\n self._transaction_id = random.randint(0, 10000000000 - 1)\n return self._transaction_id\n", "role": "user" }, { "content": "transaction_id", "role": "assistant" } ]
def x(self): if any(self.m1 < 0.0): raise ValueError('Mass 1 is negative.') if any(self.m2 < 0.0): raise ValueError('Mass 2 is negative.') if any(self.chi_1 < -1.0) or any(self.chi_1 > 1.0): raise ValueError('Chi 1 is outside [-1.0, 1.0].') if any(self.chi_2 < -1.0) or any(self.chi_2 > 1.0): raise ValueError('Chi 2 is outside [-1.0, 1.0].') if any(self.z <= 0.0): raise ValueError('Redshift is zero or negative.') if any(self.dist <= 0.0): raise ValueError('Distance is zero or negative.') if any(self.st < 0.0): raise ValueError('Start Time is negative.') if any(self.et < 0.0): raise ValueError('End Time is negative.') if len(np.where(self.st < self.et)[0]) != 0: raise ValueError('Start Time is less than End time.') if any(self.m1 / self.m2 > 10000.001) or any(self.m1 / self.m2 < 9.999999e-05): raise ValueError('Mass Ratio too far from unity.') return
sanity_check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if any(self.m1 < 0.0):\n raise ValueError('Mass 1 is negative.')\n if any(self.m2 < 0.0):\n raise ValueError('Mass 2 is negative.')\n if any(self.chi_1 < -1.0) or any(self.chi_1 > 1.0):\n raise ValueError('Chi 1 is outside [-1.0, 1.0].')\n if any(self.chi_2 < -1.0) or any(self.chi_2 > 1.0):\n raise ValueError('Chi 2 is outside [-1.0, 1.0].')\n if any(self.z <= 0.0):\n raise ValueError('Redshift is zero or negative.')\n if any(self.dist <= 0.0):\n raise ValueError('Distance is zero or negative.')\n if any(self.st < 0.0):\n raise ValueError('Start Time is negative.')\n if any(self.et < 0.0):\n raise ValueError('End Time is negative.')\n if len(np.where(self.st < self.et)[0]) != 0:\n raise ValueError('Start Time is less than End time.')\n if any(self.m1 / self.m2 > 10000.001) or any(self.m1 / self.m2 < \n 9.999999e-05):\n raise ValueError('Mass Ratio too far from unity.')\n return\n", "role": "user" }, { "content": "sanity_check", "role": "assistant" } ]
def x(self, local_dict): del local_dict['self'] self.remove_axis = False max_length = 0 for key in local_dict: try: length = len(local_dict[key]) if length > max_length: max_length = length except TypeError: pass if max_length == 0: self.remove_axis = True for key in local_dict: setattr(self, key, np.array([local_dict[key]])) else: for key in local_dict: try: if len(local_dict[key]) < max_length and len(local_dict[key] ) > 1: raise ValueError('Casting parameters not correct.' + ' Need all at a maximum shape and the rest being' + 'len-1 arrays or scalars') except TypeError: pass for key in local_dict: try: if len(local_dict[key]) == max_length: setattr(self, key, local_dict[key]) elif len(local_dict[key]) == 1: setattr(self, key, np.full((max_length,), local_dict[ key][0])) except TypeError: setattr(self, key, np.full((max_length,), local_dict[key])) return
broadcast_and_set_attrs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, local_dict):\n del local_dict['self']\n self.remove_axis = False\n max_length = 0\n for key in local_dict:\n try:\n length = len(local_dict[key])\n if length > max_length:\n max_length = length\n except TypeError:\n pass\n if max_length == 0:\n self.remove_axis = True\n for key in local_dict:\n setattr(self, key, np.array([local_dict[key]]))\n else:\n for key in local_dict:\n try:\n if len(local_dict[key]) < max_length and len(local_dict[key]\n ) > 1:\n raise ValueError('Casting parameters not correct.' +\n ' Need all at a maximum shape and the rest being' +\n 'len-1 arrays or scalars')\n except TypeError:\n pass\n for key in local_dict:\n try:\n if len(local_dict[key]) == max_length:\n setattr(self, key, local_dict[key])\n elif len(local_dict[key]) == 1:\n setattr(self, key, np.full((max_length,), local_dict[\n key][0]))\n except TypeError:\n setattr(self, key, np.full((max_length,), local_dict[key]))\n return\n", "role": "user" }, { "content": "broadcast_and_set_attrs", "role": "assistant" } ]
def x(self): c_obj = ctypes.CDLL(self.exec_call) freq_amp_cast = ctypes.c_double * self.num_points * self.length freqs = freq_amp_cast() hc = freq_amp_cast() fmrg_fpeak_cast = ctypes.c_double * self.length fmrg = fmrg_fpeak_cast() fpeak = fmrg_fpeak_cast() c_obj.Amplitude(ctypes.byref(freqs), ctypes.byref(hc), ctypes.byref( fmrg), ctypes.byref(fpeak), self.m1.ctypes.data_as(ctypes.POINTER( ctypes.c_double)), self.m2.ctypes.data_as(ctypes.POINTER(ctypes. c_double)), self.chi_1.ctypes.data_as(ctypes.POINTER(ctypes. c_double)), self.chi_2.ctypes.data_as(ctypes.POINTER(ctypes. c_double)), self.dist.ctypes.data_as(ctypes.POINTER(ctypes.c_double )), self.z.ctypes.data_as(ctypes.POINTER(ctypes.c_double)), self.st .ctypes.data_as(ctypes.POINTER(ctypes.c_double)), self.et.ctypes. data_as(ctypes.POINTER(ctypes.c_double)), ctypes.c_int(self.length), ctypes.c_int(self.num_points)) self.freqs, self.hc = np.ctypeslib.as_array(freqs), np.ctypeslib.as_array( hc) self.fmrg, self.fpeak = np.ctypeslib.as_array(fmrg), np.ctypeslib.as_array( fpeak) if self.remove_axis: self.freqs, self.hc = np.squeeze(self.freqs), np.squeeze(self.hc) self.fmrg, self.fpeak = self.fmrg[0], self.fpeak[0] return
create_waveforms
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n c_obj = ctypes.CDLL(self.exec_call)\n freq_amp_cast = ctypes.c_double * self.num_points * self.length\n freqs = freq_amp_cast()\n hc = freq_amp_cast()\n fmrg_fpeak_cast = ctypes.c_double * self.length\n fmrg = fmrg_fpeak_cast()\n fpeak = fmrg_fpeak_cast()\n c_obj.Amplitude(ctypes.byref(freqs), ctypes.byref(hc), ctypes.byref(\n fmrg), ctypes.byref(fpeak), self.m1.ctypes.data_as(ctypes.POINTER(\n ctypes.c_double)), self.m2.ctypes.data_as(ctypes.POINTER(ctypes.\n c_double)), self.chi_1.ctypes.data_as(ctypes.POINTER(ctypes.\n c_double)), self.chi_2.ctypes.data_as(ctypes.POINTER(ctypes.\n c_double)), self.dist.ctypes.data_as(ctypes.POINTER(ctypes.c_double\n )), self.z.ctypes.data_as(ctypes.POINTER(ctypes.c_double)), self.st\n .ctypes.data_as(ctypes.POINTER(ctypes.c_double)), self.et.ctypes.\n data_as(ctypes.POINTER(ctypes.c_double)), ctypes.c_int(self.length),\n ctypes.c_int(self.num_points))\n self.freqs, self.hc = np.ctypeslib.as_array(freqs), np.ctypeslib.as_array(\n hc)\n self.fmrg, self.fpeak = np.ctypeslib.as_array(fmrg), np.ctypeslib.as_array(\n fpeak)\n if self.remove_axis:\n self.freqs, self.hc = np.squeeze(self.freqs), np.squeeze(self.hc)\n self.fmrg, self.fpeak = self.fmrg[0], self.fpeak[0]\n return\n", "role": "user" }, { "content": "create_waveforms", "role": "assistant" } ]
def x(self): if any(self.m1 < 0.0): raise ValueError('Mass 1 is negative.') if any(self.m2 < 0.0): raise ValueError('Mass 2 is negative.') if any(self.z <= 0.0): raise ValueError('Redshift is zero or negative.') if any(self.dist <= 0.0): raise ValueError('Distance is zero or negative.') if any(self.initial_point < 0.0): raise ValueError('initial_point is negative.') if any(self.t_obs < 0.0): raise ValueError('t_obs is negative.') if any(self.e0 <= 0.0): raise ValueError( 'e0 must be greater than zero when using EccentricBinaries class.') if any(self.e0 > 1.0): raise ValueError('e0 greater than 1.') return
sanity_check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if any(self.m1 < 0.0):\n raise ValueError('Mass 1 is negative.')\n if any(self.m2 < 0.0):\n raise ValueError('Mass 2 is negative.')\n if any(self.z <= 0.0):\n raise ValueError('Redshift is zero or negative.')\n if any(self.dist <= 0.0):\n raise ValueError('Distance is zero or negative.')\n if any(self.initial_point < 0.0):\n raise ValueError('initial_point is negative.')\n if any(self.t_obs < 0.0):\n raise ValueError('t_obs is negative.')\n if any(self.e0 <= 0.0):\n raise ValueError(\n 'e0 must be greater than zero when using EccentricBinaries class.')\n if any(self.e0 > 1.0):\n raise ValueError('e0 greater than 1.')\n return\n", "role": "user" }, { "content": "sanity_check", "role": "assistant" } ]
def x(self): self.m1 = self.m1 * M_sun * ct.G / ct.c ** 2 self.m2 = self.m2 * M_sun * ct.G / ct.c ** 2 initial_cond_type_conversion = {'time': ct.c * ct.Julian_year, 'frequency': 1.0 / ct.c, 'separation': ct.parsec} self.initial_point = self.initial_point * initial_cond_type_conversion[self .initial_cond_type] self.t_obs = self.t_obs * ct.c * ct.Julian_year return
convert_units
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.m1 = self.m1 * M_sun * ct.G / ct.c ** 2\n self.m2 = self.m2 * M_sun * ct.G / ct.c ** 2\n initial_cond_type_conversion = {'time': ct.c * ct.Julian_year,\n 'frequency': 1.0 / ct.c, 'separation': ct.parsec}\n self.initial_point = self.initial_point * initial_cond_type_conversion[self\n .initial_cond_type]\n self.t_obs = self.t_obs * ct.c * ct.Julian_year\n return\n", "role": "user" }, { "content": "convert_units", "role": "assistant" } ]
def x(self, a0=None, t_start=None, f0=None, ef=None, t_obs=5.0): if ef is None: ef = np.ones_like(self.e0) * 1e-07 beta = 64.0 / 5.0 * self.m1 * self.m2 * (self.m1 + self.m2) e_vals = np.asarray([np.linspace(ef[i], self.e0[i], self.num_points) for i in range(len(self.e0))]) integrand = self._find_integrand(e_vals) integral = np.asarray([np.trapz(integrand[:, i:], x=e_vals[:, i:]) for i in range(e_vals.shape[1])]).T if a0 is None and f0 is None: a0 = (19.0 / 12.0 * t_start * beta * 1 / integral[:, 0]) ** (1.0 / 4.0 ) * self._f_e(e_vals[:, -1]) elif a0 is None: a0 = ((self.m1 + self.m2) / self.f0 ** 2) ** (1.0 / 3.0) c0 = self._c0_func(a0, self.e0) a_vals = c0[:, np.newaxis] * self._f_e(e_vals) delta_t = 12.0 / 19 * c0[:, np.newaxis] ** 4 / beta[:, np.newaxis ] * integral return e_vals, a_vals, delta_t
t_of_e
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, a0=None, t_start=None, f0=None, ef=None, t_obs=5.0):\n if ef is None:\n ef = np.ones_like(self.e0) * 1e-07\n beta = 64.0 / 5.0 * self.m1 * self.m2 * (self.m1 + self.m2)\n e_vals = np.asarray([np.linspace(ef[i], self.e0[i], self.num_points) for\n i in range(len(self.e0))])\n integrand = self._find_integrand(e_vals)\n integral = np.asarray([np.trapz(integrand[:, i:], x=e_vals[:, i:]) for\n i in range(e_vals.shape[1])]).T\n if a0 is None and f0 is None:\n a0 = (19.0 / 12.0 * t_start * beta * 1 / integral[:, 0]) ** (1.0 / 4.0\n ) * self._f_e(e_vals[:, -1])\n elif a0 is None:\n a0 = ((self.m1 + self.m2) / self.f0 ** 2) ** (1.0 / 3.0)\n c0 = self._c0_func(a0, self.e0)\n a_vals = c0[:, np.newaxis] * self._f_e(e_vals)\n delta_t = 12.0 / 19 * c0[:, np.newaxis] ** 4 / beta[:, np.newaxis\n ] * integral\n return e_vals, a_vals, delta_t\n", "role": "user" }, { "content": "t_of_e", "role": "assistant" } ]
def x(self): return (self.m1 * self.m2) ** (3.0 / 5.0) / (self.m1 + self.m2) ** (1.0 / 5.0)
chirp_mass
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return (self.m1 * self.m2) ** (3.0 / 5.0) / (self.m1 + self.m2) ** (1.0 /\n 5.0)\n", "role": "user" }, { "content": "chirp_mass", "role": "assistant" } ]
def x(self): return self.n ** 4.0 / 32.0 * ((jv(self.n - 2.0, self.n * self.e_vals) - 2.0 * self.e_vals * jv(self.n - 1.0, self.n * self.e_vals) + 2.0 / self.n * jv(self.n, self.n * self.e_vals) + 2.0 * self.e_vals * jv( self.n + 1.0, self.n * self.e_vals) - jv(self.n + 2.0, self.n * self.e_vals)) ** 2.0 + (1.0 - self.e_vals ** 2.0) * (jv(self.n - 2.0, self.n * self.e_vals) - 2.0 * jv(self.n, self.n * self.e_vals) + jv(self.n + 2.0, self.n * self.e_vals)) ** 2.0 + 4.0 / (3.0 * self. n ** 2.0) * jv(self.n, self.n * self.e_vals) ** 2.0)
g_func
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return self.n ** 4.0 / 32.0 * ((jv(self.n - 2.0, self.n * self.e_vals) -\n 2.0 * self.e_vals * jv(self.n - 1.0, self.n * self.e_vals) + 2.0 /\n self.n * jv(self.n, self.n * self.e_vals) + 2.0 * self.e_vals * jv(\n self.n + 1.0, self.n * self.e_vals) - jv(self.n + 2.0, self.n *\n self.e_vals)) ** 2.0 + (1.0 - self.e_vals ** 2.0) * (jv(self.n - \n 2.0, self.n * self.e_vals) - 2.0 * jv(self.n, self.n * self.e_vals) +\n jv(self.n + 2.0, self.n * self.e_vals)) ** 2.0 + 4.0 / (3.0 * self.\n n ** 2.0) * jv(self.n, self.n * self.e_vals) ** 2.0)\n", "role": "user" }, { "content": "g_func", "role": "assistant" } ]
def x(self): Mc = self._chirp_mass() return np.pi ** (2.0 / 3.0) * Mc ** (5.0 / 3.0) / (3.0 * (1.0 + self.z) ** (1.0 / 3.0) * (self.freqs_orb / (1.0 + self.z)) ** (1.0 / 3.0)) * ( 2.0 / self.n) ** (2.0 / 3.0) * self._g_func() / self._f_func()
dEndfr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n Mc = self._chirp_mass()\n return np.pi ** (2.0 / 3.0) * Mc ** (5.0 / 3.0) / (3.0 * (1.0 + self.z) **\n (1.0 / 3.0) * (self.freqs_orb / (1.0 + self.z)) ** (1.0 / 3.0)) * (\n 2.0 / self.n) ** (2.0 / 3.0) * self._g_func() / self._f_func()\n", "role": "user" }, { "content": "dEndfr", "role": "assistant" } ]
def x(self): self.hc = 1.0 / (np.pi * self.dist) * np.sqrt(2.0 * self._dEndfr()) return
hcn_func
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.hc = 1.0 / (np.pi * self.dist) * np.sqrt(2.0 * self._dEndfr())\n return\n", "role": "user" }, { "content": "hcn_func", "role": "assistant" } ]
def x(self): e_vals, a_vals, t_vals = self._t_of_e(a0=self.a0, f0=self.f0, t_start= self.t_start, ef=None, t_obs=self.t_obs) f_mrg = 0.02 / (self.m1 + self.m2) a_mrg = ((self.m1 + self.m2) / f_mrg ** 2) ** (1 / 3) a_ind_start = np.asarray([np.where(a_vals[i] > a_mrg[i])[0][0] for i in range(len(a_vals))]) t_ind_start = np.asarray([np.where(t_vals[i] < self.t_obs[i])[0][0] for i in range(len(t_vals))]) ind_start = a_ind_start * (a_ind_start >= t_ind_start) + t_ind_start * ( a_ind_start < t_ind_start) self.ef = np.asarray([e_vals[i][ind] for i, ind in enumerate(ind_start)]) self.e_vals, self.a_vals, self.t_vals = self._t_of_e(a0=a_vals[:, -1], ef=self.ef, t_obs=self.t_obs) self.freqs_orb = np.sqrt((self.m1[:, np.newaxis] + self.m2[:, np. newaxis]) / self.a_vals ** 3) for attr in ['e_vals', 'a_vals', 't_vals', 'freqs_orb']: arr = getattr(self, attr) new_arr = np.flip(np.tile(arr, self.n_max).reshape(len(arr) * self. n_max, len(arr[0])), -1) setattr(self, attr, new_arr) for attr in ['m1', 'm2', 'z', 'dist']: arr = getattr(self, attr) new_arr = np.repeat(arr, self.n_max)[:, np.newaxis] setattr(self, attr, new_arr) self.n = np.tile(np.arange(1, self.n_max + 1), self.length)[:, np.newaxis] self._hcn_func() self.hc = self.hc.reshape(self.length, self.n_max, self.hc.shape[-1]) self.freqs = np.reshape(self.n * self.freqs_orb / (1 + self.z) * ct.c, (self.length, self.n_max, self.freqs_orb.shape[-1])) self.hc, self.freqs = np.squeeze(self.hc), np.squeeze(self.freqs) return
create_waveforms
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n e_vals, a_vals, t_vals = self._t_of_e(a0=self.a0, f0=self.f0, t_start=\n self.t_start, ef=None, t_obs=self.t_obs)\n f_mrg = 0.02 / (self.m1 + self.m2)\n a_mrg = ((self.m1 + self.m2) / f_mrg ** 2) ** (1 / 3)\n a_ind_start = np.asarray([np.where(a_vals[i] > a_mrg[i])[0][0] for i in\n range(len(a_vals))])\n t_ind_start = np.asarray([np.where(t_vals[i] < self.t_obs[i])[0][0] for\n i in range(len(t_vals))])\n ind_start = a_ind_start * (a_ind_start >= t_ind_start) + t_ind_start * (\n a_ind_start < t_ind_start)\n self.ef = np.asarray([e_vals[i][ind] for i, ind in enumerate(ind_start)])\n self.e_vals, self.a_vals, self.t_vals = self._t_of_e(a0=a_vals[:, -1],\n ef=self.ef, t_obs=self.t_obs)\n self.freqs_orb = np.sqrt((self.m1[:, np.newaxis] + self.m2[:, np.\n newaxis]) / self.a_vals ** 3)\n for attr in ['e_vals', 'a_vals', 't_vals', 'freqs_orb']:\n arr = getattr(self, attr)\n new_arr = np.flip(np.tile(arr, self.n_max).reshape(len(arr) * self.\n n_max, len(arr[0])), -1)\n setattr(self, attr, new_arr)\n for attr in ['m1', 'm2', 'z', 'dist']:\n arr = getattr(self, attr)\n new_arr = np.repeat(arr, self.n_max)[:, np.newaxis]\n setattr(self, attr, new_arr)\n self.n = np.tile(np.arange(1, self.n_max + 1), self.length)[:, np.newaxis]\n self._hcn_func()\n self.hc = self.hc.reshape(self.length, self.n_max, self.hc.shape[-1])\n self.freqs = np.reshape(self.n * self.freqs_orb / (1 + self.z) * ct.c,\n (self.length, self.n_max, self.freqs_orb.shape[-1]))\n self.hc, self.freqs = np.squeeze(self.hc), np.squeeze(self.freqs)\n return\n", "role": "user" }, { "content": "create_waveforms", "role": "assistant" } ]
def x(model, divselection=None): codons = pyvolve.genetics.Genetics().codons codon_dict = pyvolve.genetics.Genetics().codon_dict pyrims = pyvolve.genetics.Genetics().pyrims purines = pyvolve.genetics.Genetics().purines if divselection: divomega, divsites = divselection else: divsites = [] assert all([(1 <= r <= model.nsites) for r in divsites]) partitions = [] for r in range(model.nsites): matrix = scipy.zeros((len(codons), len(codons)), dtype='float') for xi, x in enumerate(codons): for yi, y in enumerate(codons): ntdiffs = [(x[j], y[j]) for j in range(3) if x[j] != y[j]] if len(ntdiffs) == 1: xnt, ynt = ntdiffs[0] qxy = 1.0 if (xnt in purines) == (ynt in purines): qxy *= model.kappa xaa, yaa = codon_dict[x], codon_dict[y] fxy = 1.0 if xaa != yaa: if type(model ) == phydmslib.models.ExpCM_empirical_phi_divpressure: fxy *= model.omega * (1 + model.omega2 * model. deltar[r]) elif r + 1 in divsites: fxy *= divomega else: fxy *= model.omega if type(model) in [phydmslib.models.ExpCM, phydmslib. models.ExpCM_empirical_phi, phydmslib.models. ExpCM_empirical_phi_divpressure]: qxy *= model.phi[NT_TO_INDEX[ynt]] pix = model.pi[r][AA_TO_INDEX[xaa]] ** model.beta piy = model.pi[r][AA_TO_INDEX[yaa]] ** model.beta if abs(pix - piy) > ALMOST_ZERO: fxy *= math.log(piy / pix) / (1.0 - pix / piy) elif type(model) == phydmslib.models.YNGKP_M0: for p in range(3): qxy *= model.phi[p][NT_TO_INDEX[y[p]]] else: raise ValueError("Can't handle model type {0}". format(type(model))) matrix[xi][yi] = model.mu * qxy * fxy matrix[xi][xi] = -matrix[xi].sum() old_stdout = sys.stdout sys.stdout = open(os.devnull, 'w') try: m = pyvolve.Model('custom', {'matrix': matrix}) finally: sys.stdout.close() sys.stdout = old_stdout partitions.append(pyvolve.Partition(models=m, size=1)) return partitions
pyvolvePartitions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(model, divselection=None):\n codons = pyvolve.genetics.Genetics().codons\n codon_dict = pyvolve.genetics.Genetics().codon_dict\n pyrims = pyvolve.genetics.Genetics().pyrims\n purines = pyvolve.genetics.Genetics().purines\n if divselection:\n divomega, divsites = divselection\n else:\n divsites = []\n assert all([(1 <= r <= model.nsites) for r in divsites])\n partitions = []\n for r in range(model.nsites):\n matrix = scipy.zeros((len(codons), len(codons)), dtype='float')\n for xi, x in enumerate(codons):\n for yi, y in enumerate(codons):\n ntdiffs = [(x[j], y[j]) for j in range(3) if x[j] != y[j]]\n if len(ntdiffs) == 1:\n xnt, ynt = ntdiffs[0]\n qxy = 1.0\n if (xnt in purines) == (ynt in purines):\n qxy *= model.kappa\n xaa, yaa = codon_dict[x], codon_dict[y]\n fxy = 1.0\n if xaa != yaa:\n if type(model\n ) == phydmslib.models.ExpCM_empirical_phi_divpressure:\n fxy *= model.omega * (1 + model.omega2 * model.\n deltar[r])\n elif r + 1 in divsites:\n fxy *= divomega\n else:\n fxy *= model.omega\n if type(model) in [phydmslib.models.ExpCM, phydmslib.\n models.ExpCM_empirical_phi, phydmslib.models.\n ExpCM_empirical_phi_divpressure]:\n qxy *= model.phi[NT_TO_INDEX[ynt]]\n pix = model.pi[r][AA_TO_INDEX[xaa]] ** model.beta\n piy = model.pi[r][AA_TO_INDEX[yaa]] ** model.beta\n if abs(pix - piy) > ALMOST_ZERO:\n fxy *= math.log(piy / pix) / (1.0 - pix / piy)\n elif type(model) == phydmslib.models.YNGKP_M0:\n for p in range(3):\n qxy *= model.phi[p][NT_TO_INDEX[y[p]]]\n else:\n raise ValueError(\"Can't handle model type {0}\".\n format(type(model)))\n matrix[xi][yi] = model.mu * qxy * fxy\n matrix[xi][xi] = -matrix[xi].sum()\n old_stdout = sys.stdout\n sys.stdout = open(os.devnull, 'w')\n try:\n m = pyvolve.Model('custom', {'matrix': matrix})\n finally:\n sys.stdout.close()\n sys.stdout = old_stdout\n partitions.append(pyvolve.Partition(models=m, size=1))\n return partitions\n", "role": "user" }, { "content": "pyvolvePartitions", "role": "assistant" } ]
def x(model, treeFile, alignmentPrefix, randomSeed=False): if randomSeed == False: pass else: random.seed(randomSeed) tree = Bio.Phylo.read(treeFile, 'newick') for node in (tree.get_terminals() + tree.get_nonterminals()): if node.branch_length == None and node == tree.root: node.branch_length = 1e-06 else: node.branch_length /= model.branchScale fd, temp_path = mkstemp() Bio.Phylo.write(tree, temp_path, 'newick') os.close(fd) pyvolve_tree = pyvolve.read_tree(file=temp_path) os.remove(temp_path) partitions = pyvolvePartitions(model) alignment = '{0}_simulatedalignment.fasta'.format(alignmentPrefix) info = '_temp_{0}info.txt'.format(alignmentPrefix) rates = '_temp_{0}_ratefile.txt'.format(alignmentPrefix) evolver = pyvolve.Evolver(partitions=partitions, tree=pyvolve_tree) evolver(seqfile=alignment, infofile=info, ratefile=rates) for f in [rates, info, 'custom_matrix_frequencies.txt']: if os.path.isfile(f): os.remove(f) assert os.path.isfile(alignment)
simulateAlignment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(model, treeFile, alignmentPrefix, randomSeed=False):\n if randomSeed == False:\n pass\n else:\n random.seed(randomSeed)\n tree = Bio.Phylo.read(treeFile, 'newick')\n for node in (tree.get_terminals() + tree.get_nonterminals()):\n if node.branch_length == None and node == tree.root:\n node.branch_length = 1e-06\n else:\n node.branch_length /= model.branchScale\n fd, temp_path = mkstemp()\n Bio.Phylo.write(tree, temp_path, 'newick')\n os.close(fd)\n pyvolve_tree = pyvolve.read_tree(file=temp_path)\n os.remove(temp_path)\n partitions = pyvolvePartitions(model)\n alignment = '{0}_simulatedalignment.fasta'.format(alignmentPrefix)\n info = '_temp_{0}info.txt'.format(alignmentPrefix)\n rates = '_temp_{0}_ratefile.txt'.format(alignmentPrefix)\n evolver = pyvolve.Evolver(partitions=partitions, tree=pyvolve_tree)\n evolver(seqfile=alignment, infofile=info, ratefile=rates)\n for f in [rates, info, 'custom_matrix_frequencies.txt']:\n if os.path.isfile(f):\n os.remove(f)\n assert os.path.isfile(alignment)\n", "role": "user" }, { "content": "simulateAlignment", "role": "assistant" } ]
def x(oracle_type, **kwargs): if oracle_type == 'f': return FO(**kwargs) elif oracle_type == 'a': return MO(**kwargs) else: return MO(**kwargs)
create_oracle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(oracle_type, **kwargs):\n if oracle_type == 'f':\n return FO(**kwargs)\n elif oracle_type == 'a':\n return MO(**kwargs)\n else:\n return MO(**kwargs)\n", "role": "user" }, { "content": "create_oracle", "role": "assistant" } ]
def x(self): if not self.seg: j = 0 else: j = self.seg[-1][1] last_len = self.seg[-1][0] if last_len + j > self.n_states: return i = j while j < self.n_states - 1: while not (not i < self.n_states - 1 or not self.lrs[i + 1] >= i - j + 1): i += 1 if i == j: i += 1 self.seg.append((0, i)) elif self.sfx[i] + self.lrs[i] <= i: self.seg.append((i - j, self.sfx[i] - i + j + 1)) else: _i = j + i - self.sfx[i] self.seg.append((_i - j, self.sfx[i] - i + j + 1)) _j = _i while not (not _i < i or not self.lrs[_i + 1] - self.lrs[_j] >= _i - _j + 1): _i += 1 if _i == _j: _i += 1 self.seg.append((0, _i)) else: self.seg.append((_i - _j, self.sfx[_i] - _i + _j + 1)) j = i return self.seg
segment
[ { "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.seg:\n j = 0\n else:\n j = self.seg[-1][1]\n last_len = self.seg[-1][0]\n if last_len + j > self.n_states:\n return\n i = j\n while j < self.n_states - 1:\n while not (not i < self.n_states - 1 or not self.lrs[i + 1] >= i -\n j + 1):\n i += 1\n if i == j:\n i += 1\n self.seg.append((0, i))\n elif self.sfx[i] + self.lrs[i] <= i:\n self.seg.append((i - j, self.sfx[i] - i + j + 1))\n else:\n _i = j + i - self.sfx[i]\n self.seg.append((_i - j, self.sfx[i] - i + j + 1))\n _j = _i\n while not (not _i < i or not self.lrs[_i + 1] - self.lrs[_j] >=\n _i - _j + 1):\n _i += 1\n if _i == _j:\n _i += 1\n self.seg.append((0, _i))\n else:\n self.seg.append((_i - _j, self.sfx[_i] - _i + _j + 1))\n j = i\n return self.seg\n", "role": "user" }, { "content": "segment", "role": "assistant" } ]
def x(self, alpha=1.0): code, _ = self.encode() N = self.n_states BL = np.zeros(N - 1) h0 = np.log2(np.cumsum([(1.0 if sfx == 0 else 0.0) for sfx in self.sfx[ 1:]])) """ h1 = np.array([h if m == 0 else h+np.log2(m) for h,m in zip(h0,self.lrs[1:])]) h1 = np.array([h if m == 0 else h+np.log2(m) for h,m in zip(h0,self.max_lrs[1:])]) h1 = np.array([h if m == 0 else h+np.log2(m) for h,m in zip(h0,self.avg_lrs[1:])]) """ h1 = np.array([(np.log2(i + 1) if m == 0 else np.log2(i + 1) + np.log2( m)) for i, m in enumerate(self.max_lrs[1:])]) j = 0 for i in range(len(code)): if self.code[i][0] == 0: BL[j] = 1 j += 1 else: L = code[i][0] BL[j:j + L] = L j = j + L h1 = h1 / BL ir = alpha * h0 - h1 ir[ir < 0] = 0 return ir, h0, h1
ir_cum2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, alpha=1.0):\n code, _ = self.encode()\n N = self.n_states\n BL = np.zeros(N - 1)\n h0 = np.log2(np.cumsum([(1.0 if sfx == 0 else 0.0) for sfx in self.sfx[\n 1:]]))\n \"\"\"\n h1 = np.array([h if m == 0 else h+np.log2(m) \n for h,m in zip(h0,self.lrs[1:])])\n h1 = np.array([h if m == 0 else h+np.log2(m) \n for h,m in zip(h0,self.max_lrs[1:])])\n h1 = np.array([h if m == 0 else h+np.log2(m) \n for h,m in zip(h0,self.avg_lrs[1:])])\n \"\"\"\n h1 = np.array([(np.log2(i + 1) if m == 0 else np.log2(i + 1) + np.log2(\n m)) for i, m in enumerate(self.max_lrs[1:])])\n j = 0\n for i in range(len(code)):\n if self.code[i][0] == 0:\n BL[j] = 1\n j += 1\n else:\n L = code[i][0]\n BL[j:j + L] = L\n j = j + L\n h1 = h1 / BL\n ir = alpha * h0 - h1\n ir[ir < 0] = 0\n return ir, h0, h1\n", "role": "user" }, { "content": "ir_cum2", "role": "assistant" } ]
def x(self, context): _next = 0 for _s in context: _data = [self.data[j] for j in self.trn[_next]] if _s in _data: _next = self.trn[_next][_data.index(_s)] else: return 0, _next return 1, _next
accept
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, context):\n _next = 0\n for _s in context:\n _data = [self.data[j] for j in self.trn[_next]]\n if _s in _data:\n _next = self.trn[_next][_data.index(_s)]\n else:\n return 0, _next\n return 1, _next\n", "role": "user" }, { "content": "accept", "role": "assistant" } ]
def x(self, new_data, method='inc'): self.sfx.append(0) self.rsfx.append([]) self.trn.append([]) self.lrs.append(0) self.f_array.add(new_data) self.n_states += 1 i = self.n_states - 1 self.trn[i - 1].append(i) k = self.sfx[i - 1] pi_1 = i - 1 if method == 'inc': suffix_candidate = 0 elif method == 'complete': suffix_candidate = [] else: suffix_candidate = 0 while k is not None: if self.params['dfunc'] == 'other': dvec = dist.cdist([new_data], self.f_array[self.trn[k]], metric =self.params['dfunc_handle'])[0] else: dvec = dist.cdist([new_data], self.f_array[self.trn[k]], metric =self.params['dfunc'])[0] I = np.where(dvec < self.params['threshold'])[0] if len(I) == 0: self.trn[k].append(i) pi_1 = k if method != 'complete': k = self.sfx[k] elif method == 'inc': if I.shape[0] == 1: suffix_candidate = self.trn[k][I[0]] else: suffix_candidate = self.trn[k][I[np.argmin(dvec[I])]] break elif method == 'complete': suffix_candidate.append((self.trn[k][I[np.argmin(dvec[I])]], np .min(dvec))) else: suffix_candidate = self.trn[k][I[np.argmin(dvec[I])]] break if method == 'complete': k = self.sfx[k] if method == 'complete': if not suffix_candidate: self.sfx[i] = 0 self.lrs[i] = 0 self.latent.append([i]) self.data.append(len(self.latent) - 1) else: sorted_suffix_candidates = sorted(suffix_candidate, key=lambda suffix: suffix[1]) self.sfx[i] = sorted_suffix_candidates[0][0] self.lrs[i] = self._len_common_suffix(pi_1, self.sfx[i] - 1) + 1 self.latent[self.data[self.sfx[i]]].append(i) self.data.append(self.data[self.sfx[i]]) elif k is None: self.sfx[i] = 0 self.lrs[i] = 0 self.latent.append([i]) self.data.append(len(self.latent) - 1) else: self.sfx[i] = suffix_candidate self.lrs[i] = self._len_common_suffix(pi_1, self.sfx[i] - 1) + 1 self.latent[self.data[self.sfx[i]]].append(i) self.data.append(self.data[self.sfx[i]]) k = self._find_better(i, self.data[i - self.lrs[i]]) if k is not None: self.lrs[i] += 1 self.sfx[i] = k self.rsfx[self.sfx[i]].append(i) if self.lrs[i] > self.max_lrs[i - 1]: self.max_lrs.append(self.lrs[i]) else: self.max_lrs.append(self.max_lrs[i - 1]) self.avg_lrs.append(self.avg_lrs[i - 1] * ((i - 1.0) / (self.n_states - 1.0)) + self.lrs[i] * (1.0 / (self.n_states - 1.0)))
add_state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, new_data, method='inc'):\n self.sfx.append(0)\n self.rsfx.append([])\n self.trn.append([])\n self.lrs.append(0)\n self.f_array.add(new_data)\n self.n_states += 1\n i = self.n_states - 1\n self.trn[i - 1].append(i)\n k = self.sfx[i - 1]\n pi_1 = i - 1\n if method == 'inc':\n suffix_candidate = 0\n elif method == 'complete':\n suffix_candidate = []\n else:\n suffix_candidate = 0\n while k is not None:\n if self.params['dfunc'] == 'other':\n dvec = dist.cdist([new_data], self.f_array[self.trn[k]], metric\n =self.params['dfunc_handle'])[0]\n else:\n dvec = dist.cdist([new_data], self.f_array[self.trn[k]], metric\n =self.params['dfunc'])[0]\n I = np.where(dvec < self.params['threshold'])[0]\n if len(I) == 0:\n self.trn[k].append(i)\n pi_1 = k\n if method != 'complete':\n k = self.sfx[k]\n elif method == 'inc':\n if I.shape[0] == 1:\n suffix_candidate = self.trn[k][I[0]]\n else:\n suffix_candidate = self.trn[k][I[np.argmin(dvec[I])]]\n break\n elif method == 'complete':\n suffix_candidate.append((self.trn[k][I[np.argmin(dvec[I])]], np\n .min(dvec)))\n else:\n suffix_candidate = self.trn[k][I[np.argmin(dvec[I])]]\n break\n if method == 'complete':\n k = self.sfx[k]\n if method == 'complete':\n if not suffix_candidate:\n self.sfx[i] = 0\n self.lrs[i] = 0\n self.latent.append([i])\n self.data.append(len(self.latent) - 1)\n else:\n sorted_suffix_candidates = sorted(suffix_candidate, key=lambda\n suffix: suffix[1])\n self.sfx[i] = sorted_suffix_candidates[0][0]\n self.lrs[i] = self._len_common_suffix(pi_1, self.sfx[i] - 1) + 1\n self.latent[self.data[self.sfx[i]]].append(i)\n self.data.append(self.data[self.sfx[i]])\n elif k is None:\n self.sfx[i] = 0\n self.lrs[i] = 0\n self.latent.append([i])\n self.data.append(len(self.latent) - 1)\n else:\n self.sfx[i] = suffix_candidate\n self.lrs[i] = self._len_common_suffix(pi_1, self.sfx[i] - 1) + 1\n self.latent[self.data[self.sfx[i]]].append(i)\n self.data.append(self.data[self.sfx[i]])\n k = self._find_better(i, self.data[i - self.lrs[i]])\n if k is not None:\n self.lrs[i] += 1\n self.sfx[i] = k\n self.rsfx[self.sfx[i]].append(i)\n if self.lrs[i] > self.max_lrs[i - 1]:\n self.max_lrs.append(self.lrs[i])\n else:\n self.max_lrs.append(self.max_lrs[i - 1])\n self.avg_lrs.append(self.avg_lrs[i - 1] * ((i - 1.0) / (self.n_states -\n 1.0)) + self.lrs[i] * (1.0 / (self.n_states - 1.0)))\n", "role": "user" }, { "content": "add_state", "role": "assistant" } ]
def x(self, atom): try: index = self.atoms.index(atom) except ValueError: raise CycleError('atom %s not in cycle' % atom) self.atoms = self.atoms[index:] + self.atoms[:index] self.bonds = self.bonds[index:] + self.bonds[:index]
rotate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, atom):\n try:\n index = self.atoms.index(atom)\n except ValueError:\n raise CycleError('atom %s not in cycle' % atom)\n self.atoms = self.atoms[index:] + self.atoms[:index]\n self.bonds = self.bonds[index:] + self.bonds[:index]\n", "role": "user" }, { "content": "rotate", "role": "assistant" } ]
def x(self): for atom in self.atoms: atom.aromatic = 1 for bond in self.bonds: bond.aromatic = 1 bond.bondorder = 1.5 bond.bondtype = 4 bond.symbol = ':' bond.fixed = 1 self.aromatic = 1
set_aromatic
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for atom in self.atoms:\n atom.aromatic = 1\n for bond in self.bonds:\n bond.aromatic = 1\n bond.bondorder = 1.5\n bond.bondtype = 4\n bond.symbol = ':'\n bond.fixed = 1\n self.aromatic = 1\n", "role": "user" }, { "content": "set_aromatic", "role": "assistant" } ]
def x(enabled: bool): global _DEBUG_ENABLED if not enabled: log('Disabling debug output...', logger_name=_LOGGER_NAME) _DEBUG_ENABLED = False else: _DEBUG_ENABLED = True log('Enabling debug output...', logger_name=_LOGGER_NAME)
set_debug
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(enabled: bool):\n global _DEBUG_ENABLED\n if not enabled:\n log('Disabling debug output...', logger_name=_LOGGER_NAME)\n _DEBUG_ENABLED = False\n else:\n _DEBUG_ENABLED = True\n log('Enabling debug output...', logger_name=_LOGGER_NAME)\n", "role": "user" }, { "content": "set_debug", "role": "assistant" } ]
def x(name: str, level: int) ->Generator[logging.Logger, None, None]: logger = logging.getLogger(name) old_level = logger.level logger.setLevel(level) handler = logging.StreamHandler(sys.stdout) formatter = logging.Formatter( '%(asctime)s %(levelname)-5s [%(name)s]: %(message)s') handler.setFormatter(formatter) logger.addHandler(handler) yield logger logger.setLevel(old_level) logger.removeHandler(handler) handler.close()
create_logger
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name: str, level: int) ->Generator[logging.Logger, None, None]:\n logger = logging.getLogger(name)\n old_level = logger.level\n logger.setLevel(level)\n handler = logging.StreamHandler(sys.stdout)\n formatter = logging.Formatter(\n '%(asctime)s %(levelname)-5s [%(name)s]: %(message)s')\n handler.setFormatter(formatter)\n logger.addHandler(handler)\n yield logger\n logger.setLevel(old_level)\n logger.removeHandler(handler)\n handler.close()\n", "role": "user" }, { "content": "create_logger", "role": "assistant" } ]
def x(message: str, *args: str, category: str='info', logger_name: str= 'pgevents'): global _DEBUG_ENABLED if _DEBUG_ENABLED: level = logging.INFO else: level = logging.CRITICAL + 1 with _create_logger(logger_name, level) as logger: log_fn = getattr(logger, category, None) if log_fn is None: raise ValueError('Invalid log category "{}"'.format(category)) log_fn(message, *args)
log
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(message: str, *args: str, category: str='info', logger_name: str=\n 'pgevents'):\n global _DEBUG_ENABLED\n if _DEBUG_ENABLED:\n level = logging.INFO\n else:\n level = logging.CRITICAL + 1\n with _create_logger(logger_name, level) as logger:\n log_fn = getattr(logger, category, None)\n if log_fn is None:\n raise ValueError('Invalid log category \"{}\"'.format(category))\n log_fn(message, *args)\n", "role": "user" }, { "content": "log", "role": "assistant" } ]
def x(initialAtoms, initialBonds): atoms = [] a_append = atoms.append bonds = [] b_append = bonds.append ahash = {} bhash = {} for atom in initialAtoms[1:]: ahash[atom.handle] = 1 for bond in initialBonds: bhash[bond.handle] = bond next = initialAtoms[0] a_append(next) while ahash: for atom in next.oatoms: if ahash.has_key(atom.handle): bond = next.findbond(atom) assert bond if bhash.has_key(bond.handle): a_append(atom) b_append(bond) del ahash[atom.handle] next = atom break else: raise RingException('Atoms are not in ring') assert len(initialAtoms) == len(atoms) assert len(bonds) == len(atoms) - 1 lastBond = atoms[0].findbond(atoms[-1]) assert lastBond b_append(lastBond) return atoms, bonds
toposort
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(initialAtoms, initialBonds):\n atoms = []\n a_append = atoms.append\n bonds = []\n b_append = bonds.append\n ahash = {}\n bhash = {}\n for atom in initialAtoms[1:]:\n ahash[atom.handle] = 1\n for bond in initialBonds:\n bhash[bond.handle] = bond\n next = initialAtoms[0]\n a_append(next)\n while ahash:\n for atom in next.oatoms:\n if ahash.has_key(atom.handle):\n bond = next.findbond(atom)\n assert bond\n if bhash.has_key(bond.handle):\n a_append(atom)\n b_append(bond)\n del ahash[atom.handle]\n next = atom\n break\n else:\n raise RingException('Atoms are not in ring')\n assert len(initialAtoms) == len(atoms)\n assert len(bonds) == len(atoms) - 1\n lastBond = atoms[0].findbond(atoms[-1])\n assert lastBond\n b_append(lastBond)\n return atoms, bonds\n", "role": "user" }, { "content": "toposort", "role": "assistant" } ]
def x(n): if not isinstance(n, str): raise ValueError('%r is not a string' % n) try: n = int(n) except: raise ValueError('%s is not an integer' % n) if n < 0: raise ValueError('%d is not non-negative' % n) else: return n
NonNegativeInt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(n):\n if not isinstance(n, str):\n raise ValueError('%r is not a string' % n)\n try:\n n = int(n)\n except:\n raise ValueError('%s is not an integer' % n)\n if n < 0:\n raise ValueError('%d is not non-negative' % n)\n else:\n return n\n", "role": "user" }, { "content": "NonNegativeInt", "role": "assistant" } ]
def x(n): try: n = int(n) except: raise ValueError('%s is not an integer' % n) if n <= 0: raise ValueError('%d is not > 0' % n) else: return n
IntGreaterThanZero
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(n):\n try:\n n = int(n)\n except:\n raise ValueError('%s is not an integer' % n)\n if n <= 0:\n raise ValueError('%d is not > 0' % n)\n else:\n return n\n", "role": "user" }, { "content": "IntGreaterThanZero", "role": "assistant" } ]
def x(n): try: n = int(n) except: raise ValueError('%s is not an integer' % n) if n <= 1: raise ValueError('%d is not > 1' % n) else: return n
IntGreaterThanOne
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(n):\n try:\n n = int(n)\n except:\n raise ValueError('%s is not an integer' % n)\n if n <= 1:\n raise ValueError('%d is not > 1' % n)\n else:\n return n\n", "role": "user" }, { "content": "IntGreaterThanOne", "role": "assistant" } ]
def x(x): try: x = float(x) except: raise ValueError('%r not float greater than or equal to zero' % x) if x >= 0: return x else: raise ValueError('%r not float greater than or equal to zero' % x)
FloatGreaterThanEqualToZero
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x):\n try:\n x = float(x)\n except:\n raise ValueError('%r not float greater than or equal to zero' % x)\n if x >= 0:\n return x\n else:\n raise ValueError('%r not float greater than or equal to zero' % x)\n", "role": "user" }, { "content": "FloatGreaterThanEqualToZero", "role": "assistant" } ]
def x(x): x = float(x) if 0 <= x <= 1: return x else: raise ValueError('{0} not a float between 0 and 1.'.format(x))
FloatBetweenZeroAndOne
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x):\n x = float(x)\n if 0 <= x <= 1:\n return x\n else:\n raise ValueError('{0} not a float between 0 and 1.'.format(x))\n", "role": "user" }, { "content": "FloatBetweenZeroAndOne", "role": "assistant" } ]
def x(priorstring): assert isinstance(priorstring, str) prior = priorstring.split(',') if len(prior) == 3 and prior[0] == 'invquadratic': [c1, c2] = [float(x) for x in prior[1:]] assert c1 > 0 and c2 > 0, 'C1 and C2 must be > 1 for invquadratic prior' return 'invquadratic', c1, c2 else: raise ValueError('Invalid diffprefsprior: {0}'.format(priorstring))
diffPrefsPrior
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(priorstring):\n assert isinstance(priorstring, str)\n prior = priorstring.split(',')\n if len(prior) == 3 and prior[0] == 'invquadratic':\n [c1, c2] = [float(x) for x in prior[1:]]\n assert c1 > 0 and c2 > 0, 'C1 and C2 must be > 1 for invquadratic prior'\n return 'invquadratic', c1, c2\n else:\n raise ValueError('Invalid diffprefsprior: {0}'.format(priorstring))\n", "role": "user" }, { "content": "diffPrefsPrior", "role": "assistant" } ]
def x(fname): if os.path.isfile(fname): return fname elif fname.lower() == 'none': return None else: raise ValueError("%s must specify a valid file name or 'None'" % fname)
ExistingFileOrNone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fname):\n if os.path.isfile(fname):\n return fname\n elif fname.lower() == 'none':\n return None\n else:\n raise ValueError(\"%s must specify a valid file name or 'None'\" % fname)\n", "role": "user" }, { "content": "ExistingFileOrNone", "role": "assistant" } ]
def x(model): yngkpmatch = re.compile('^YNGKP_M[{0}]$'.format(''.join([m[1:] for m in yngkp_modelvariants]))) if yngkpmatch.search(model): return model elif len(model) > 6 and model[:6] == 'ExpCM_': fname = model[6:] if os.path.isfile(fname): return 'ExpCM', fname else: raise ValueError( 'ExpCM_ must be followed by the name of an existing file. You specified the following, which is not an existing file: %s' % fname) else: raise ValueError('Invalid model')
ModelOption
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(model):\n yngkpmatch = re.compile('^YNGKP_M[{0}]$'.format(''.join([m[1:] for m in\n yngkp_modelvariants])))\n if yngkpmatch.search(model):\n return model\n elif len(model) > 6 and model[:6] == 'ExpCM_':\n fname = model[6:]\n if os.path.isfile(fname):\n return 'ExpCM', fname\n else:\n raise ValueError(\n 'ExpCM_ must be followed by the name of an existing file. You specified the following, which is not an existing file: %s'\n % fname)\n else:\n raise ValueError('Invalid model')\n", "role": "user" }, { "content": "ModelOption", "role": "assistant" } ]