source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, cardinality): for i in reversed(range(cardinality)): if i != 0: query = ('CREATE INDEX idx_{0}_gram_{1} ON _{0}_gram(word_{1});' .format(cardinality, i)) self.execute_sql(query)
create_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cardinality):\n for i in reversed(range(cardinality)):\n if i != 0:\n query = ('CREATE INDEX idx_{0}_gram_{1} ON _{0}_gram(word_{1});'\n .format(cardinality, i))\n self.execute_sql(query)\n", "role": "user" }, { "content": "create_index", "role": "assistant" } ]
def x(self, with_counts=False): query = 'SELECT ' for i in reversed(range(self.cardinality)): if i != 0: query += 'word_{0}, '.format(i) elif i == 0: query += 'word' if with_counts: query += ', count' query += ' FROM _{0}_gram;'.format(self.cardinality) result = self.execute_sql(query) for row in result: yield tuple(row)
ngrams
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, with_counts=False):\n query = 'SELECT '\n for i in reversed(range(self.cardinality)):\n if i != 0:\n query += 'word_{0}, '.format(i)\n elif i == 0:\n query += 'word'\n if with_counts:\n query += ', count'\n query += ' FROM _{0}_gram;'.format(self.cardinality)\n result = self.execute_sql(query)\n for row in result:\n yield tuple(row)\n", "role": "user" }, { "content": "ngrams", "role": "assistant" } ]
def x(self, ngram): query = 'SELECT count FROM _{0}_gram'.format(len(ngram)) query += self._build_where_clause(ngram) query += ';' result = self.execute_sql(query) return self._extract_first_integer(result)
ngram_count
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ngram):\n query = 'SELECT count FROM _{0}_gram'.format(len(ngram))\n query += self._build_where_clause(ngram)\n query += ';'\n result = self.execute_sql(query)\n return self._extract_first_integer(result)\n", "role": "user" }, { "content": "ngram_count", "role": "assistant" } ]
def x(self, ngram, count): query = 'INSERT INTO _{0}_gram {1};'.format(len(ngram), self. _build_values_clause(ngram, count)) self.execute_sql(query)
insert_ngram
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ngram, count):\n query = 'INSERT INTO _{0}_gram {1};'.format(len(ngram), self.\n _build_values_clause(ngram, count))\n self.execute_sql(query)\n", "role": "user" }, { "content": "insert_ngram", "role": "assistant" } ]
def x(self, ngram, count): query = 'UPDATE _{0}_gram SET count = {1}'.format(len(ngram), count) query += self._build_where_clause(ngram) query += ';' self.execute_sql(query)
update_ngram
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ngram, count):\n query = 'UPDATE _{0}_gram SET count = {1}'.format(len(ngram), count)\n query += self._build_where_clause(ngram)\n query += ';'\n self.execute_sql(query)\n", "role": "user" }, { "content": "update_ngram", "role": "assistant" } ]
def x(self, ngram): query = 'DELETE FROM _{0}_gram'.format(len(ngram)) query += self._build_where_clause(ngram) query += ';' self.execute_sql(query)
remove_ngram
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ngram):\n query = 'DELETE FROM _{0}_gram'.format(len(ngram))\n query += self._build_where_clause(ngram)\n query += ';'\n self.execute_sql(query)\n", "role": "user" }, { "content": "remove_ngram", "role": "assistant" } ]
def x(self, query): c = self.con.cursor() c.execute(query) result = c.fetchall() return result
execute_sql
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query):\n c = self.con.cursor()\n c.execute(query)\n result = c.fetchall()\n return result\n", "role": "user" }, { "content": "execute_sql", "role": "assistant" } ]
def x(self): if not self._database_exists(): con = psycopg2.connect(host=self.host, database='postgres', user= self.user, password=self.password, port=self.port) con.set_isolation_level(psycopg2.extensions.ISOLATION_LEVEL_AUTOCOMMIT) query = 'CREATE DATABASE {0};'.format(self.dbname) c = con.cursor() c.execute(query) con.close() if self.normalize: self.open_database() query = 'CREATE EXTENSION IF NOT EXISTS "plperlu";' self.execute_sql(query) query = """CREATE OR REPLACE FUNCTION normalize(text) RETURNS text AS $$ use Text::Unidecode; return unidecode(shift); $$ LANGUAGE plperlu IMMUTABLE;""" self.execute_sql(query) self.commit() self.close_database()
create_database
[ { "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._database_exists():\n con = psycopg2.connect(host=self.host, database='postgres', user=\n self.user, password=self.password, port=self.port)\n con.set_isolation_level(psycopg2.extensions.ISOLATION_LEVEL_AUTOCOMMIT)\n query = 'CREATE DATABASE {0};'.format(self.dbname)\n c = con.cursor()\n c.execute(query)\n con.close()\n if self.normalize:\n self.open_database()\n query = 'CREATE EXTENSION IF NOT EXISTS \"plperlu\";'\n self.execute_sql(query)\n query = \"\"\"CREATE OR REPLACE FUNCTION normalize(text)\n RETURNS text\n AS $$\n use Text::Unidecode;\n return unidecode(shift);\n $$ LANGUAGE plperlu IMMUTABLE;\"\"\"\n self.execute_sql(query)\n self.commit()\n self.close_database()\n", "role": "user" }, { "content": "create_database", "role": "assistant" } ]
def x(self): if self._database_exists(): con = psycopg2.connect(host=self.host, database='postgres', user= self.user, password=self.password, port=self.port) con.set_isolation_level(psycopg2.extensions.ISOLATION_LEVEL_AUTOCOMMIT) query = 'DROP DATABASE {0};'.format(self.dbname) c = con.cursor() c.execute(query) con.close() self.create_database()
reset_database
[ { "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._database_exists():\n con = psycopg2.connect(host=self.host, database='postgres', user=\n self.user, password=self.password, port=self.port)\n con.set_isolation_level(psycopg2.extensions.ISOLATION_LEVEL_AUTOCOMMIT)\n query = 'DROP DATABASE {0};'.format(self.dbname)\n c = con.cursor()\n c.execute(query)\n con.close()\n self.create_database()\n", "role": "user" }, { "content": "reset_database", "role": "assistant" } ]
def x(self, cardinality): DatabaseConnector.create_index(self, cardinality) query = ( 'CREATE INDEX idx_{0}_gram_varchar ON _{0}_gram(word varchar_pattern_ops);' .format(cardinality)) self.execute_sql(query) if self.lowercase: for i in reversed(range(cardinality)): if i != 0: query = ( 'CREATE INDEX idx_{0}_gram_{1}_lower ON _{0}_gram(LOWER(word_{1}));' .format(cardinality, i)) self.execute_sql(query) if self.normalize: query = ( 'CREATE INDEX idx_{0}_gram_lower_normalized_varchar ON _{0}_gram(NORMALIZE(LOWER(word)) varchar_pattern_ops);' .format(cardinality)) self.execute_sql(query) else: query = ( 'CREATE INDEX idx_{0}_gram_lower_varchar ON _{0}_gram(LOWER(word) varchar_pattern_ops);' .format(cardinality)) self.execute_sql(query) elif self.normalize: query = ( 'CREATE INDEX idx_{0}_gram_normalized_varchar ON _{0}_gram(NORMALIZE(word) varchar_pattern_ops);' .format(cardinality)) self.execute_sql(query)
create_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cardinality):\n DatabaseConnector.create_index(self, cardinality)\n query = (\n 'CREATE INDEX idx_{0}_gram_varchar ON _{0}_gram(word varchar_pattern_ops);'\n .format(cardinality))\n self.execute_sql(query)\n if self.lowercase:\n for i in reversed(range(cardinality)):\n if i != 0:\n query = (\n 'CREATE INDEX idx_{0}_gram_{1}_lower ON _{0}_gram(LOWER(word_{1}));'\n .format(cardinality, i))\n self.execute_sql(query)\n if self.normalize:\n query = (\n 'CREATE INDEX idx_{0}_gram_lower_normalized_varchar ON _{0}_gram(NORMALIZE(LOWER(word)) varchar_pattern_ops);'\n .format(cardinality))\n self.execute_sql(query)\n else:\n query = (\n 'CREATE INDEX idx_{0}_gram_lower_varchar ON _{0}_gram(LOWER(word) varchar_pattern_ops);'\n .format(cardinality))\n self.execute_sql(query)\n elif self.normalize:\n query = (\n 'CREATE INDEX idx_{0}_gram_normalized_varchar ON _{0}_gram(NORMALIZE(word) varchar_pattern_ops);'\n .format(cardinality))\n self.execute_sql(query)\n", "role": "user" }, { "content": "create_index", "role": "assistant" } ]
def x(self, cardinality): DatabaseConnector.delete_index(self, cardinality) query = 'DROP INDEX IF EXISTS idx_{0}_gram_varchar;'.format(cardinality) self.execute_sql(query) query = 'DROP INDEX IF EXISTS idx_{0}_gram_normalized_varchar;'.format( cardinality) self.execute_sql(query) query = 'DROP INDEX IF EXISTS idx_{0}_gram_lower_varchar;'.format( cardinality) self.execute_sql(query) query = ('DROP INDEX IF EXISTS idx_{0}_gram_lower_normalized_varchar;'. format(cardinality)) self.execute_sql(query) for i in reversed(range(cardinality)): if i != 0: query = 'DROP INDEX IF EXISTS idx_{0}_gram_{1}_lower;'.format( cardinality, i) self.execute_sql(query)
delete_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cardinality):\n DatabaseConnector.delete_index(self, cardinality)\n query = 'DROP INDEX IF EXISTS idx_{0}_gram_varchar;'.format(cardinality)\n self.execute_sql(query)\n query = 'DROP INDEX IF EXISTS idx_{0}_gram_normalized_varchar;'.format(\n cardinality)\n self.execute_sql(query)\n query = 'DROP INDEX IF EXISTS idx_{0}_gram_lower_varchar;'.format(\n cardinality)\n self.execute_sql(query)\n query = ('DROP INDEX IF EXISTS idx_{0}_gram_lower_normalized_varchar;'.\n format(cardinality))\n self.execute_sql(query)\n for i in reversed(range(cardinality)):\n if i != 0:\n query = 'DROP INDEX IF EXISTS idx_{0}_gram_{1}_lower;'.format(\n cardinality, i)\n self.execute_sql(query)\n", "role": "user" }, { "content": "delete_index", "role": "assistant" } ]
def x(self): if not self.con: try: self.con = psycopg2.connect(host=self.host, database=self. dbname, user=self.user, password=self.password, port=self.port) except psycopg2.Error as e: print('Error while opening database:') print(e.pgerror)
open_database
[ { "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.con:\n try:\n self.con = psycopg2.connect(host=self.host, database=self.\n dbname, user=self.user, password=self.password, port=self.port)\n except psycopg2.Error as e:\n print('Error while opening database:')\n print(e.pgerror)\n", "role": "user" }, { "content": "open_database", "role": "assistant" } ]
def x(self, query): c = self.con.cursor() c.execute(query) result = [] if c.rowcount > 0: try: result = c.fetchall() except psycopg2.ProgrammingError: pass return result
execute_sql
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query):\n c = self.con.cursor()\n c.execute(query)\n result = []\n if c.rowcount > 0:\n try:\n result = c.fetchall()\n except psycopg2.ProgrammingError:\n pass\n return result\n", "role": "user" }, { "content": "execute_sql", "role": "assistant" } ]
def x(self): con = psycopg2.connect(host=self.host, database='postgres', user=self. user, password=self.password, port=self.port) query_check = 'select datname from pg_catalog.pg_database' query_check += " where datname = '{0}';".format(self.dbname) c = con.cursor() c.execute(query_check) result = c.fetchall() if len(result) > 0: return True return False
database_exists
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n con = psycopg2.connect(host=self.host, database='postgres', user=self.\n user, password=self.password, port=self.port)\n query_check = 'select datname from pg_catalog.pg_database'\n query_check += \" where datname = '{0}';\".format(self.dbname)\n c = con.cursor()\n c.execute(query_check)\n result = c.fetchall()\n if len(result) > 0:\n return True\n return False\n", "role": "user" }, { "content": "database_exists", "role": "assistant" } ]
def x(self, order): indices = tuple([self._initialOrder.index(atom.handle) for atom in order]) same = chiral_table[indices] if same: return self.chirality elif self.chirality == '@': return '@@' else: return '@'
getChirality
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, order):\n indices = tuple([self._initialOrder.index(atom.handle) for atom in order])\n same = chiral_table[indices]\n if same:\n return self.chirality\n elif self.chirality == '@':\n return '@@'\n else:\n return '@'\n", "role": "user" }, { "content": "getChirality", "role": "assistant" } ]
def x(name, severity=logging.INFO, env=None, username='none', signature= None, **kwargs): cef_logger = commonware.log.getLogger('cef') c = {'product': settings.CEF_PRODUCT, 'vendor': settings.CEF_VENDOR, 'version': settings.CEF_VERSION, 'device_version': settings. CEF_DEVICE_VERSION} if isinstance(env, HttpRequest): r = env.META.copy() elif isinstance(env, dict): r = env else: r = {} c['environ'] = r c.update({'username': username, 'signature': signature, 'data': kwargs}) cef_logger.log(severity, name, c)
log_cef
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, severity=logging.INFO, env=None, username='none', signature=\n None, **kwargs):\n cef_logger = commonware.log.getLogger('cef')\n c = {'product': settings.CEF_PRODUCT, 'vendor': settings.CEF_VENDOR,\n 'version': settings.CEF_VERSION, 'device_version': settings.\n CEF_DEVICE_VERSION}\n if isinstance(env, HttpRequest):\n r = env.META.copy()\n elif isinstance(env, dict):\n r = env\n else:\n r = {}\n c['environ'] = r\n c.update({'username': username, 'signature': signature, 'data': kwargs})\n cef_logger.log(severity, name, c)\n", "role": "user" }, { "content": "log_cef", "role": "assistant" } ]
def x(env): from ctox.subst import replace_braces changedir = _get_env_maybe(env, 'testenv', 'changedir') if changedir: return replace_braces(changedir, env) else: return env.toxinidir
get_changedir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(env):\n from ctox.subst import replace_braces\n changedir = _get_env_maybe(env, 'testenv', 'changedir')\n if changedir:\n return replace_braces(changedir, env)\n else:\n return env.toxinidir\n", "role": "user" }, { "content": "get_changedir", "role": "assistant" } ]
def x(instance): if hasattr(instance, '__listeners__'): for listener in list(instance.__listeners__): for signal in instance.__listeners__[listener]: signal.disconnect(listener)
remove_signals_listeners
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(instance):\n if hasattr(instance, '__listeners__'):\n for listener in list(instance.__listeners__):\n for signal in instance.__listeners__[listener]:\n signal.disconnect(listener)\n", "role": "user" }, { "content": "remove_signals_listeners", "role": "assistant" } ]
def x(self, listener, pass_signal=False): info = listenerinfo(listener, pass_signal) self._listeners.append(info) _logger.debug('connect %r to %r', str(listener), self._name) if inspect.ismethod(listener): listener_object = listener.__self__ if not hasattr(listener_object, '__listeners__'): listener_object.__listeners__ = collections.defaultdict(list) listener_object.__listeners__[listener].append(self)
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, listener, pass_signal=False):\n info = listenerinfo(listener, pass_signal)\n self._listeners.append(info)\n _logger.debug('connect %r to %r', str(listener), self._name)\n if inspect.ismethod(listener):\n listener_object = listener.__self__\n if not hasattr(listener_object, '__listeners__'):\n listener_object.__listeners__ = collections.defaultdict(list)\n listener_object.__listeners__[listener].append(self)\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self, listener, pass_signal=False): info = listenerinfo(listener, pass_signal) self._listeners.remove(info) _logger.debug('disconnect %r from %r', str(listener), self._name) if inspect.ismethod(listener): listener_object = listener.__self__ if hasattr(listener_object, '__listeners__'): listener_object.__listeners__[listener].remove(self) if len(listener_object.__listeners__[listener]) == 0: del listener_object.__listeners__[listener]
disconnect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, listener, pass_signal=False):\n info = listenerinfo(listener, pass_signal)\n self._listeners.remove(info)\n _logger.debug('disconnect %r from %r', str(listener), self._name)\n if inspect.ismethod(listener):\n listener_object = listener.__self__\n if hasattr(listener_object, '__listeners__'):\n listener_object.__listeners__[listener].remove(self)\n if len(listener_object.__listeners__[listener]) == 0:\n del listener_object.__listeners__[listener]\n", "role": "user" }, { "content": "disconnect", "role": "assistant" } ]
def x(self, args, kwargs): for info in self._listeners[:]: if info.pass_signal: info.listener(*args, signal=self, **kwargs) else: info.listener(*args, **kwargs)
fire
[ { "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 for info in self._listeners[:]:\n if info.pass_signal:\n info.listener(*args, signal=self, **kwargs)\n else:\n info.listener(*args, **kwargs)\n", "role": "user" }, { "content": "fire", "role": "assistant" } ]
def x(self, signal): self._extend_state() def x(*args, **kwargs): self._events_seen.append((signal, args, kwargs)) signal.connect(signal_handler) if hasattr(self, 'addCleanup'): self.addCleanup(signal.disconnect, signal_handler)
watchSignal
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, signal):\n self._extend_state()\n\n def x(*args, **kwargs):\n self._events_seen.append((signal, args, kwargs))\n signal.connect(signal_handler)\n if hasattr(self, 'addCleanup'):\n self.addCleanup(signal.disconnect, signal_handler)\n", "role": "user" }, { "content": "watchSignal", "role": "assistant" } ]
def x(self, signal, *args, **kwargs): event = signal, args, kwargs self.assertIn(event, self._events_seen, '\nSignal unexpectedly not fired: {}\n'.format(event)) return event
assertSignalFired
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, signal, *args, **kwargs):\n event = signal, args, kwargs\n self.assertIn(event, self._events_seen,\n '\\nSignal unexpectedly not fired: {}\\n'.format(event))\n return event\n", "role": "user" }, { "content": "assertSignalFired", "role": "assistant" } ]
def x(self, signal, *args, **kwargs): event = signal, args, kwargs self.assertNotIn(event, self._events_seen, '\nSignal unexpectedly fired: {}\n'.format(event))
assertSignalNotFired
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, signal, *args, **kwargs):\n event = signal, args, kwargs\n self.assertNotIn(event, self._events_seen,\n '\\nSignal unexpectedly fired: {}\\n'.format(event))\n", "role": "user" }, { "content": "assertSignalNotFired", "role": "assistant" } ]
def x(self, *expected_events): expected_order = [self._events_seen.index(event) for event in expected_events] actual_order = sorted(expected_order) self.assertEqual(expected_order, actual_order, """ Expected order of fired signals: {} Actual order observed: {}""" .format('\n'.join('\t{}: {}'.format(i, event) for i, event in enumerate(expected_events, 1)), '\n'.join('\t{}: {}'.format(i, event) for i, event in enumerate((self._events_seen[idx] for idx in actual_order), 1))))
assertSignalOrdering
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *expected_events):\n expected_order = [self._events_seen.index(event) for event in\n expected_events]\n actual_order = sorted(expected_order)\n self.assertEqual(expected_order, actual_order,\n \"\"\"\nExpected order of fired signals:\n{}\nActual order observed:\n{}\"\"\"\n .format('\\n'.join('\\t{}: {}'.format(i, event) for i, event in\n enumerate(expected_events, 1)), '\\n'.join('\\t{}: {}'.format(i,\n event) for i, event in enumerate((self._events_seen[idx] for idx in\n actual_order), 1))))\n", "role": "user" }, { "content": "assertSignalOrdering", "role": "assistant" } ]
def x(viewname, *args, **kwargs): return reverse(viewname, args=args, kwargs=kwargs)
url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(viewname, *args, **kwargs):\n return reverse(viewname, args=args, kwargs=kwargs)\n", "role": "user" }, { "content": "url", "role": "assistant" } ]
def x(url_, hash=None, **query): url = urlparse.urlparse(url_) fragment = hash if hash is not None else url.fragment q = url.query query_dict = dict(urlparse.parse_qsl(smart_str(q))) if q else {} query_dict.update((k, v) for k, v in query.items()) query_string = _urlencode([(k, v) for k, v in query_dict.items() if v is not None]) new = urlparse.ParseResult(url.scheme, url.netloc, url.path, url.params, query_string, fragment) return new.geturl()
urlparams
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url_, hash=None, **query):\n url = urlparse.urlparse(url_)\n fragment = hash if hash is not None else url.fragment\n q = url.query\n query_dict = dict(urlparse.parse_qsl(smart_str(q))) if q else {}\n query_dict.update((k, v) for k, v in query.items())\n query_string = _urlencode([(k, v) for k, v in query_dict.items() if v\n is not None])\n new = urlparse.ParseResult(url.scheme, url.netloc, url.path, url.params,\n query_string, fragment)\n return new.geturl()\n", "role": "user" }, { "content": "urlparams", "role": "assistant" } ]
def x(items): try: return urllib.urlencode(items) except UnicodeEncodeError: return urllib.urlencode([(k, smart_str(v)) for k, v in items])
urlencode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(items):\n try:\n return urllib.urlencode(items)\n except UnicodeEncodeError:\n return urllib.urlencode([(k, smart_str(v)) for k, v in items])\n", "role": "user" }, { "content": "urlencode", "role": "assistant" } ]
def x(txt): if isinstance(txt, unicode): txt = txt.encode('utf-8') return urllib.quote_plus(txt)
urlencode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(txt):\n if isinstance(txt, unicode):\n txt = txt.encode('utf-8')\n return urllib.quote_plus(txt)\n", "role": "user" }, { "content": "urlencode", "role": "assistant" } ]
def x(token, dispatcher, node, subnode, sourcepath_stack=(None,)): if isinstance(token.pos, int): _, lineno, colno = node.getpos(subnode, token.pos) else: lineno, colno = None, None yield StreamFragment(subnode, lineno, colno, None, sourcepath_stack[-1])
token_handler_str_default
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(token, dispatcher, node, subnode, sourcepath_stack=(None,)):\n if isinstance(token.pos, int):\n _, lineno, colno = node.getpos(subnode, token.pos)\n else:\n lineno, colno = None, None\n yield StreamFragment(subnode, lineno, colno, None, sourcepath_stack[-1])\n", "role": "user" }, { "content": "token_handler_str_default", "role": "assistant" } ]
def x(token, dispatcher, node, subnode, sourcepath_stack=(None,)): original = node.value if isinstance(node, Identifier ) and node.value != subnode else None if isinstance(token.pos, int): _, lineno, colno = node.getpos(original or subnode, token.pos) else: lineno, colno = None, None yield StreamFragment(subnode, lineno, colno, original, sourcepath_stack[-1] )
token_handler_unobfuscate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(token, dispatcher, node, subnode, sourcepath_stack=(None,)):\n original = node.value if isinstance(node, Identifier\n ) and node.value != subnode else None\n if isinstance(token.pos, int):\n _, lineno, colno = node.getpos(original or subnode, token.pos)\n else:\n lineno, colno = None, None\n yield StreamFragment(subnode, lineno, colno, original, sourcepath_stack[-1]\n )\n", "role": "user" }, { "content": "token_handler_unobfuscate", "role": "assistant" } ]
def x(parser, stream): source = stream() if callable(stream) else stream try: text = source.read() stream_name = getattr(source, 'name', None) try: result = parser(text) except ECMASyntaxError as e: error_name = repr_compat(stream_name or source) raise type(e)('%s in %s' % (str(e), error_name)) finally: if callable(stream): source.close() result.sourcepath = stream_name return result
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(parser, stream):\n source = stream() if callable(stream) else stream\n try:\n text = source.read()\n stream_name = getattr(source, 'name', None)\n try:\n result = parser(text)\n except ECMASyntaxError as e:\n error_name = repr_compat(stream_name or source)\n raise type(e)('%s in %s' % (str(e), error_name))\n finally:\n if callable(stream):\n source.close()\n result.sourcepath = stream_name\n return result\n", "role": "user" }, { "content": "read", "role": "assistant" } ]
def x(unparser, nodes, output_stream, sourcemap_stream=None, sourcemap_normalize_mappings=True, sourcemap_normalize_paths=True, source_mapping_url=NotImplemented): closer = [] def x(stream): if callable(stream): result = stream() closer.append(result.close) else: result = stream return result def x(): for close in reversed(closer): close() chunks = None if isinstance(nodes, Node): chunks = unparser(nodes) elif isinstance(nodes, Iterable): raw = [unparser(node) for node in nodes if isinstance(node, Node)] if raw: chunks = chain(*raw) if not chunks: raise TypeError('must either provide a Node or list containing Nodes') try: out_s = get_stream(output_stream) sourcemap_stream = (out_s if sourcemap_stream is output_stream else sourcemap_stream) mappings, sources, names = sourcemap.write(chunks, out_s, normalize =sourcemap_normalize_mappings) if sourcemap_stream: sourcemap_stream = get_stream(sourcemap_stream) sourcemap.write_sourcemap(mappings, sources, names, out_s, sourcemap_stream, normalize_paths=sourcemap_normalize_paths, source_mapping_url=source_mapping_url) finally: cleanup()
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(unparser, nodes, output_stream, sourcemap_stream=None,\n sourcemap_normalize_mappings=True, sourcemap_normalize_paths=True,\n source_mapping_url=NotImplemented):\n closer = []\n\n def x(stream):\n if callable(stream):\n result = stream()\n closer.append(result.close)\n else:\n result = stream\n return result\n\n def x():\n for close in reversed(closer):\n close()\n chunks = None\n if isinstance(nodes, Node):\n chunks = unparser(nodes)\n elif isinstance(nodes, Iterable):\n raw = [unparser(node) for node in nodes if isinstance(node, Node)]\n if raw:\n chunks = chain(*raw)\n if not chunks:\n raise TypeError('must either provide a Node or list containing Nodes')\n try:\n out_s = get_stream(output_stream)\n sourcemap_stream = (out_s if sourcemap_stream is output_stream else\n sourcemap_stream)\n mappings, sources, names = sourcemap.write(chunks, out_s, normalize\n =sourcemap_normalize_mappings)\n if sourcemap_stream:\n sourcemap_stream = get_stream(sourcemap_stream)\n sourcemap.write_sourcemap(mappings, sources, names, out_s,\n sourcemap_stream, normalize_paths=sourcemap_normalize_paths,\n source_mapping_url=source_mapping_url)\n finally:\n cleanup()\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(self, index=None): if index is None: dof = 0 for i in range(self.len): dof += self.A[i].shape[0] * self.F[i].shape[1] return dof else: return self.A[index].shape[0] * self.F[index].shape[1]
dof
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, index=None):\n if index is None:\n dof = 0\n for i in range(self.len):\n dof += self.A[i].shape[0] * self.F[i].shape[1]\n return dof\n else:\n return self.A[index].shape[0] * self.F[index].shape[1]\n", "role": "user" }, { "content": "dof", "role": "assistant" } ]
def x(self): self.A = [] self.F = [] self.F_any = np.zeros((self.N, 0)) self.clear_cache()
clearFixedEffect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.A = []\n self.F = []\n self.F_any = np.zeros((self.N, 0))\n self.clear_cache()\n", "role": "user" }, { "content": "clearFixedEffect", "role": "assistant" } ]
def x(self, F=None, A=None, index=None): if F is None: F = np.ones((self.N, 1)) else: assert F.shape[0] == self.N, 'F dimension mismatch' if A is None or A.shape == (self.P, self.P) and (A == np.eye(self.P)).all( ): self.F_any = np.hstack((self.F_any, F)) elif index is not None and (A == self.A[index]).all(): self.F[index] = np.hstack((self.F_index, F)) else: assert A.shape[1] == self.P, 'A dimension mismatch' self.F.append(F) self.A.append(A) self.clear_cache()
addFixedEffect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, F=None, A=None, index=None):\n if F is None:\n F = np.ones((self.N, 1))\n else:\n assert F.shape[0] == self.N, 'F dimension mismatch'\n if A is None or A.shape == (self.P, self.P) and (A == np.eye(self.P)).all(\n ):\n self.F_any = np.hstack((self.F_any, F))\n elif index is not None and (A == self.A[index]).all():\n self.F[index] = np.hstack((self.F_index, F))\n else:\n assert A.shape[1] == self.P, 'A dimension mismatch'\n self.F.append(F)\n self.A.append(A)\n self.clear_cache()\n", "role": "user" }, { "content": "addFixedEffect", "role": "assistant" } ]
def x(self, value): assert value.shape == (self.N, self.N), 'dimension mismatch' self._Lr = value self.clear_cache()
Lr
[ { "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 value.shape == (self.N, self.N), 'dimension mismatch'\n self._Lr = value\n self.clear_cache()\n", "role": "user" }, { "content": "Lr", "role": "assistant" } ]
def x(self, value): assert value.shape == (self.P, self.P), 'dimension mismatch' self._Lc = value self.clear_cache()
Lc
[ { "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 value.shape == (self.P, self.P), 'dimension mismatch'\n self._Lc = value\n self.clear_cache()\n", "role": "user" }, { "content": "Lc", "role": "assistant" } ]
def x(self, value): assert value.shape[0] == self.P * self.N, 'd dimension mismatch' self._d = value self.clear_cache()
d
[ { "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 value.shape[0] == self.P * self.N, 'd dimension mismatch'\n self._d = value\n self.clear_cache()\n", "role": "user" }, { "content": "d", "role": "assistant" } ]
def x(self): XKY = self.XKY() XanyKY = self.XanyKY() beta_hat, beta_hat_any = self.Areml_solver.solve(b_any=XanyKY, b=XKY, check_finite=True) return beta_hat, beta_hat_any
beta_hat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n XKY = self.XKY()\n XanyKY = self.XanyKY()\n beta_hat, beta_hat_any = self.Areml_solver.solve(b_any=XanyKY, b=XKY,\n check_finite=True)\n return beta_hat, beta_hat_any\n", "role": "user" }, { "content": "beta_hat", "role": "assistant" } ]
def x(self): result = np.empty((self.P, self.F_any.shape[1], self.F_any.shape[1]), order='C') for p in range(self.P): X1D = self.Fstar_any * self.D[:, p:p + 1] X1X2 = X1D.T.dot(self.Fstar_any) result[p] = X1X2 return result
XanyKXany
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n result = np.empty((self.P, self.F_any.shape[1], self.F_any.shape[1]),\n order='C')\n for p in range(self.P):\n X1D = self.Fstar_any * self.D[:, p:p + 1]\n X1X2 = X1D.T.dot(self.Fstar_any)\n result[p] = X1X2\n return result\n", "role": "user" }, { "content": "XanyKXany", "role": "assistant" } ]
def x(self): result = np.empty((self.P, self.F_any.shape[1], self.dof), order='C') for p in range(self.P): FanyD = self.Fstar_any * self.D[:, p:p + 1] start = 0 for term in range(self.len): stop = start + self.F[term].shape[1] * self.A[term].shape[0] result[p, :, start:stop] = self.XanyKX2_single_p_single_term(p= p, F1=FanyD, F2=self.Fstar[term], A2=self.Astar[term]) start = stop return result
XanyKX
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n result = np.empty((self.P, self.F_any.shape[1], self.dof), order='C')\n for p in range(self.P):\n FanyD = self.Fstar_any * self.D[:, p:p + 1]\n start = 0\n for term in range(self.len):\n stop = start + self.F[term].shape[1] * self.A[term].shape[0]\n result[p, :, start:stop] = self.XanyKX2_single_p_single_term(p=\n p, F1=FanyD, F2=self.Fstar[term], A2=self.Astar[term])\n start = stop\n return result\n", "role": "user" }, { "content": "XanyKX", "role": "assistant" } ]
def x(self): cov_beta = np.zeros((self.dof, self.dof)) start_row = 0 for term1 in range(self.len): stop_row = start_row + self.A[term1].shape[0] * self.F[term1].shape[1] start_col = start_row for term2 in range(term1, self.len): stop_col = start_col + self.A[term2].shape[0] * self.F[term2 ].shape[1] cov_beta[start_row:stop_row, start_col:stop_col] = compute_X1KX2(Y =self.Ystar(), D=self.D, X1=self.Fstar[term1], X2=self. Fstar[term2], A1=self.Astar[term1], A2=self.Astar[term2]) if term1 != term2: cov_beta[start_col:stop_col, start_row:stop_row] = cov_beta[ n_weights1:stop_row, n_weights2:stop_col].T start_col = stop_col start_row = stop_row return cov_beta
XKX
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n cov_beta = np.zeros((self.dof, self.dof))\n start_row = 0\n for term1 in range(self.len):\n stop_row = start_row + self.A[term1].shape[0] * self.F[term1].shape[1]\n start_col = start_row\n for term2 in range(term1, self.len):\n stop_col = start_col + self.A[term2].shape[0] * self.F[term2\n ].shape[1]\n cov_beta[start_row:stop_row, start_col:stop_col] = compute_X1KX2(Y\n =self.Ystar(), D=self.D, X1=self.Fstar[term1], X2=self.\n Fstar[term2], A1=self.Astar[term1], A2=self.Astar[term2])\n if term1 != term2:\n cov_beta[start_col:stop_col, start_row:stop_row] = cov_beta[\n n_weights1:stop_row, n_weights2:stop_col].T\n start_col = stop_col\n start_row = stop_row\n return cov_beta\n", "role": "user" }, { "content": "XKX", "role": "assistant" } ]
def x(grant_type, client_id=None, client_secret=None, scopes=None, code= None, refresh_token=None): url = build_url(auth.SERVER_HOST, auth.ACCESS_TOKEN_PATH) if isinstance(scopes, set): scopes = ' '.join(scopes) args = {'grant_type': grant_type, 'client_id': client_id, 'client_secret': client_secret, 'scope': scopes, 'code': code, 'refresh_token': refresh_token} auth_header = HTTPBasicAuth(client_id, client_secret) response = post(url=url, auth=auth_header, data=args) if response.status_code == codes.ok: return response message = 'Failed to request access token: {}.' message = message.format(response.reason) raise ClientError(response, message)
request_access_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(grant_type, client_id=None, client_secret=None, scopes=None, code=\n None, refresh_token=None):\n url = build_url(auth.SERVER_HOST, auth.ACCESS_TOKEN_PATH)\n if isinstance(scopes, set):\n scopes = ' '.join(scopes)\n args = {'grant_type': grant_type, 'client_id': client_id,\n 'client_secret': client_secret, 'scope': scopes, 'code': code,\n 'refresh_token': refresh_token}\n auth_header = HTTPBasicAuth(client_id, client_secret)\n response = post(url=url, auth=auth_header, data=args)\n if response.status_code == codes.ok:\n return response\n message = 'Failed to request access token: {}.'\n message = message.format(response.reason)\n raise ClientError(response, message)\n", "role": "user" }, { "content": "request_access_token", "role": "assistant" } ]
def x(credential): if credential.grant_type == auth.AUTHORIZATION_CODE_GRANT: response = request_access_token(grant_type=auth.REFRESH_TOKEN, client_id=credential.client_id, client_secret=credential. client_secret, refresh_token=credential.refresh_token) oauth2credential = OAuth2Credential.make_from_response(response= response, grant_type=credential.grant_type, client_id= credential.client_id, client_secret=credential.client_secret) return Session(oauth2credential=oauth2credential) elif credential.grant_type == auth.CLIENT_CREDENTIAL_GRANT: response = request_access_token(grant_type=auth. CLIENT_CREDENTIAL_GRANT, client_id=credential.client_id, client_secret=credential.client_secret, scopes=credential.scopes) oauth2credential = OAuth2Credential.make_from_response(response= response, grant_type=credential.grant_type, client_id= credential.client_id, client_secret=credential.client_secret) return Session(oauth2credential=oauth2credential) message = '{} Grant Type does not support Refresh Tokens.' message = message.format(credential.grant_type) raise LyftIllegalState(message)
refresh_access_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(credential):\n if credential.grant_type == auth.AUTHORIZATION_CODE_GRANT:\n response = request_access_token(grant_type=auth.REFRESH_TOKEN,\n client_id=credential.client_id, client_secret=credential.\n client_secret, refresh_token=credential.refresh_token)\n oauth2credential = OAuth2Credential.make_from_response(response=\n response, grant_type=credential.grant_type, client_id=\n credential.client_id, client_secret=credential.client_secret)\n return Session(oauth2credential=oauth2credential)\n elif credential.grant_type == auth.CLIENT_CREDENTIAL_GRANT:\n response = request_access_token(grant_type=auth.\n CLIENT_CREDENTIAL_GRANT, client_id=credential.client_id,\n client_secret=credential.client_secret, scopes=credential.scopes)\n oauth2credential = OAuth2Credential.make_from_response(response=\n response, grant_type=credential.grant_type, client_id=\n credential.client_id, client_secret=credential.client_secret)\n return Session(oauth2credential=oauth2credential)\n message = '{} Grant Type does not support Refresh Tokens.'\n message = message.format(credential.grant_type)\n raise LyftIllegalState(message)\n", "role": "user" }, { "content": "refresh_access_token", "role": "assistant" } ]
def x(credential): url = build_url(auth.SERVER_HOST, auth.REVOKE_PATH) args = {'token': credential.access_token} response = post(url=url, params=args) if response.status_code == codes.ok: return message = 'Failed to revoke access token: {}.' message = message.format(response.reason) raise ClientError(response, message)
revoke_access_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(credential):\n url = build_url(auth.SERVER_HOST, auth.REVOKE_PATH)\n args = {'token': credential.access_token}\n response = post(url=url, params=args)\n if response.status_code == codes.ok:\n return\n message = 'Failed to revoke access token: {}.'\n message = message.format(response.reason)\n raise ClientError(response, message)\n", "role": "user" }, { "content": "revoke_access_token", "role": "assistant" } ]
def x(self, response_type, state=None): if response_type not in auth.VALID_RESPONSE_TYPES: message = '{} is not a valid response type.' raise LyftIllegalState(message.format(response_type)) args = OrderedDict([('scope', ' '.join(self.scopes)), ('state', state), ('response_type', response_type), ('client_id', self.client_id)]) return build_url(auth.SERVER_HOST, auth.AUTHORIZE_PATH, args)
build_authorization_request_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, response_type, state=None):\n if response_type not in auth.VALID_RESPONSE_TYPES:\n message = '{} is not a valid response type.'\n raise LyftIllegalState(message.format(response_type))\n args = OrderedDict([('scope', ' '.join(self.scopes)), ('state', state),\n ('response_type', response_type), ('client_id', self.client_id)])\n return build_url(auth.SERVER_HOST, auth.AUTHORIZE_PATH, args)\n", "role": "user" }, { "content": "build_authorization_request_url", "role": "assistant" } ]
def x(self, redirect_url): qs = urlparse(redirect_url) qs = qs.query query_params = parse_qs(qs) query_params = {qp: query_params[qp][0] for qp in query_params} return query_params
extract_query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, redirect_url):\n qs = urlparse(redirect_url)\n qs = qs.query\n query_params = parse_qs(qs)\n query_params = {qp: query_params[qp][0] for qp in query_params}\n return query_params\n", "role": "user" }, { "content": "extract_query", "role": "assistant" } ]
def x(self, redirect_url): query_params = self._extract_query(redirect_url) authorization_code = self._verify_query(query_params) response = request_access_token(grant_type=auth. AUTHORIZATION_CODE_GRANT, client_id=self.client_id, client_secret= self.client_secret, code=authorization_code) oauth2credential = OAuth2Credential.make_from_response(response= response, grant_type=auth.AUTHORIZATION_CODE_GRANT, client_id=self. client_id, client_secret=self.client_secret) return Session(oauth2credential=oauth2credential)
get_session
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, redirect_url):\n query_params = self._extract_query(redirect_url)\n authorization_code = self._verify_query(query_params)\n response = request_access_token(grant_type=auth.\n AUTHORIZATION_CODE_GRANT, client_id=self.client_id, client_secret=\n self.client_secret, code=authorization_code)\n oauth2credential = OAuth2Credential.make_from_response(response=\n response, grant_type=auth.AUTHORIZATION_CODE_GRANT, client_id=self.\n client_id, client_secret=self.client_secret)\n return Session(oauth2credential=oauth2credential)\n", "role": "user" }, { "content": "get_session", "role": "assistant" } ]
def x(self): response = request_access_token(grant_type=auth.CLIENT_CREDENTIAL_GRANT, client_id=self.client_id, client_secret=self.client_secret, scopes= self.scopes) oauth2credential = OAuth2Credential.make_from_response(response= response, grant_type=auth.CLIENT_CREDENTIAL_GRANT, client_id=self. client_id, client_secret=self.client_secret) return Session(oauth2credential=oauth2credential)
get_session
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n response = request_access_token(grant_type=auth.CLIENT_CREDENTIAL_GRANT,\n client_id=self.client_id, client_secret=self.client_secret, scopes=\n self.scopes)\n oauth2credential = OAuth2Credential.make_from_response(response=\n response, grant_type=auth.CLIENT_CREDENTIAL_GRANT, client_id=self.\n client_id, client_secret=self.client_secret)\n return Session(oauth2credential=oauth2credential)\n", "role": "user" }, { "content": "get_session", "role": "assistant" } ]
def x(api_client): try: response = api_client.get_user_profile() except (ClientError, ServerError) as error: fail_print(error) return else: profile = response.json user_id = profile.get('id') message = ('Hello. Successfully granted access token to User ID {}.' .format(user_id)) success_print(message)
hello_user
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(api_client):\n try:\n response = api_client.get_user_profile()\n except (ClientError, ServerError) as error:\n fail_print(error)\n return\n else:\n profile = response.json\n user_id = profile.get('id')\n message = ('Hello. Successfully granted access token to User ID {}.'\n .format(user_id))\n success_print(message)\n", "role": "user" }, { "content": "hello_user", "role": "assistant" } ]
def x(): report_formats = {'.html': 'html', '.log': 'parseable', '.txt': 'text'} lint_build_dir = easy.path('build/lint') lint_build_dir.exists() or lint_build_dir.makedirs() argv = [] rcfile = easy.options.lint.get('rcfile') if not rcfile and easy.path('pylint.cfg').exists(): rcfile = 'pylint.cfg' if rcfile: argv += ['--rcfile', os.path.abspath(rcfile)] if easy.options.lint.get('msg_only', False): argv += ['-rn'] argv += ['--import-graph', (lint_build_dir / 'imports.dot').abspath()] argv += support.toplevel_packages() sys.stderr.write("Running %s::pylint '%s'\n" % (sys.argv[0], "' '".join (argv))) outfile = easy.options.lint.get('output', None) if outfile: outfile = os.path.abspath(outfile) try: with easy.pushd('src' if easy.path('src').exists() else '.'): if outfile: argv.extend(['-f', report_formats.get(easy.path(outfile). ext, 'text')]) sys.stderr.write('Writing output to %r\n' % (str(outfile),)) outhandle = open(outfile, 'w') try: subprocess.check_call(['pylint'] + argv, stdout=outhandle) finally: outhandle.close() else: subprocess.check_call(['pylint'] + argv) sys.stderr.write('paver::lint - No problems found.\n') except subprocess.CalledProcessError as exc: if exc.returncode & 32: sys.stderr.write( 'paver::lint - Usage error, bad arguments %r?!\n' % (argv,)) sys.exit(exc.returncode) else: bits = {(1): 'fatal', (2): 'error', (4): 'warning', (8): 'refactor', (16): 'convention'} sys.stderr.write('paver::lint - Some %s message(s) issued.\n' % ', '.join([text for bit, text in bits.items() if exc. returncode & bit])) if exc.returncode & 3: sys.stderr.write( 'paver::lint - Exiting due to fatal / error message.\n') sys.exit(exc.returncode)
lint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n report_formats = {'.html': 'html', '.log': 'parseable', '.txt': 'text'}\n lint_build_dir = easy.path('build/lint')\n lint_build_dir.exists() or lint_build_dir.makedirs()\n argv = []\n rcfile = easy.options.lint.get('rcfile')\n if not rcfile and easy.path('pylint.cfg').exists():\n rcfile = 'pylint.cfg'\n if rcfile:\n argv += ['--rcfile', os.path.abspath(rcfile)]\n if easy.options.lint.get('msg_only', False):\n argv += ['-rn']\n argv += ['--import-graph', (lint_build_dir / 'imports.dot').abspath()]\n argv += support.toplevel_packages()\n sys.stderr.write(\"Running %s::pylint '%s'\\n\" % (sys.argv[0], \"' '\".join\n (argv)))\n outfile = easy.options.lint.get('output', None)\n if outfile:\n outfile = os.path.abspath(outfile)\n try:\n with easy.pushd('src' if easy.path('src').exists() else '.'):\n if outfile:\n argv.extend(['-f', report_formats.get(easy.path(outfile).\n ext, 'text')])\n sys.stderr.write('Writing output to %r\\n' % (str(outfile),))\n outhandle = open(outfile, 'w')\n try:\n subprocess.check_call(['pylint'] + argv, stdout=outhandle)\n finally:\n outhandle.close()\n else:\n subprocess.check_call(['pylint'] + argv)\n sys.stderr.write('paver::lint - No problems found.\\n')\n except subprocess.CalledProcessError as exc:\n if exc.returncode & 32:\n sys.stderr.write(\n 'paver::lint - Usage error, bad arguments %r?!\\n' % (argv,))\n sys.exit(exc.returncode)\n else:\n bits = {(1): 'fatal', (2): 'error', (4): 'warning', (8):\n 'refactor', (16): 'convention'}\n sys.stderr.write('paver::lint - Some %s message(s) issued.\\n' %\n ', '.join([text for bit, text in bits.items() if exc.\n returncode & bit]))\n if exc.returncode & 3:\n sys.stderr.write(\n 'paver::lint - Exiting due to fatal / error message.\\n')\n sys.exit(exc.returncode)\n", "role": "user" }, { "content": "lint", "role": "assistant" } ]
def x(pid): if isinstance(pid, GenInput): pid = pid.return_dict() begin_time = time.time() WORKING_DIRECTORY = '.' if 'WORKING_DIRECTORY' not in pid['general'].keys(): pid['general']['WORKING_DIRECTORY'] = WORKING_DIRECTORY running_process = GenProcess(**{**pid, **pid['generate_info']}) running_process.set_parameters() running_process.run_snr() file_out = FileReadOut(running_process.xvals, running_process.yvals, running_process.final_dict, **{**pid['general'], **pid[ 'generate_info'], **pid['output_info']}) print('outputing file:', pid['general']['WORKING_DIRECTORY'] + '/' + pid['output_info']['output_file_name']) getattr(file_out, file_out.output_file_type + '_read_out')() print(time.time() - begin_time) return
generate_contour_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pid):\n if isinstance(pid, GenInput):\n pid = pid.return_dict()\n begin_time = time.time()\n WORKING_DIRECTORY = '.'\n if 'WORKING_DIRECTORY' not in pid['general'].keys():\n pid['general']['WORKING_DIRECTORY'] = WORKING_DIRECTORY\n running_process = GenProcess(**{**pid, **pid['generate_info']})\n running_process.set_parameters()\n running_process.run_snr()\n file_out = FileReadOut(running_process.xvals, running_process.yvals,\n running_process.final_dict, **{**pid['general'], **pid[\n 'generate_info'], **pid['output_info']})\n print('outputing file:', pid['general']['WORKING_DIRECTORY'] + '/' +\n pid['output_info']['output_file_name'])\n getattr(file_out, file_out.output_file_type + '_read_out')()\n print(time.time() - begin_time)\n return\n", "role": "user" }, { "content": "generate_contour_data", "role": "assistant" } ]
def x(self, msg): if self.socket is not None: msg.version = self.PROTOCOL_VERSION serialized = msg.SerializeToString() data = struct.pack('>I', len(serialized)) + serialized try: self.socket.send(data) except Exception as e: pass
send_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg):\n if self.socket is not None:\n msg.version = self.PROTOCOL_VERSION\n serialized = msg.SerializeToString()\n data = struct.pack('>I', len(serialized)) + serialized\n try:\n self.socket.send(data)\n except Exception as e:\n pass\n", "role": "user" }, { "content": "send_message", "role": "assistant" } ]
def x(self): self.first_data_sent_complete = False self.socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM) self.socket.connect((self.host, self.port)) msg = cr.Message() msg.type = cr.CONNECT msg.request_connect.auth_code = self.auth_code or 0 msg.request_connect.send_playlist_songs = False msg.request_connect.downloader = False self.send_message(msg)
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.first_data_sent_complete = False\n self.socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM)\n self.socket.connect((self.host, self.port))\n msg = cr.Message()\n msg.type = cr.CONNECT\n msg.request_connect.auth_code = self.auth_code or 0\n msg.request_connect.send_playlist_songs = False\n msg.request_connect.downloader = False\n self.send_message(msg)\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self): msg = cr.Message() msg.type = cr.PLAY self.send_message(msg)
play
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n msg = cr.Message()\n msg.type = cr.PLAY\n self.send_message(msg)\n", "role": "user" }, { "content": "play", "role": "assistant" } ]
def x(self): msg = cr.Message() msg.type = cr.PAUSE self.send_message(msg)
pause
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n msg = cr.Message()\n msg.type = cr.PAUSE\n self.send_message(msg)\n", "role": "user" }, { "content": "pause", "role": "assistant" } ]
def x(self): msg = cr.Message() msg.type = cr.STOP self.send_message(msg)
stop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n msg = cr.Message()\n msg.type = cr.STOP\n self.send_message(msg)\n", "role": "user" }, { "content": "stop", "role": "assistant" } ]
def x(self): msg = cr.Message() msg.type = cr.PLAYPAUSE self.send_message(msg)
playpause
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n msg = cr.Message()\n msg.type = cr.PLAYPAUSE\n self.send_message(msg)\n", "role": "user" }, { "content": "playpause", "role": "assistant" } ]
def x(self): msg = cr.Message() msg.type = cr.NEXT self.send_message(msg)
next
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n msg = cr.Message()\n msg.type = cr.NEXT\n self.send_message(msg)\n", "role": "user" }, { "content": "next", "role": "assistant" } ]
def x(self): msg = cr.Message() msg.type = cr.PREVIOUS self.send_message(msg)
previous
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n msg = cr.Message()\n msg.type = cr.PREVIOUS\n self.send_message(msg)\n", "role": "user" }, { "content": "previous", "role": "assistant" } ]
def x(self, volume): msg = cr.Message() msg.type = cr.SET_VOLUME msg.request_set_volume.volume = int(volume) self.send_message(msg)
set_volume
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, volume):\n msg = cr.Message()\n msg.type = cr.SET_VOLUME\n msg.request_set_volume.volume = int(volume)\n self.send_message(msg)\n", "role": "user" }, { "content": "set_volume", "role": "assistant" } ]
def x(self, Mt): if len(Mt.shape) == 2: _Mt = Mt[:, :, sp.newaxis] else: _Mt = Mt M = _Mt.transpose([0, 2, 1]) MLc = sp.tensordot(M, self.Lc().T, (2, 0)) MLcLc = sp.tensordot(MLc, self.Lc(), (2, 0)) WrMLcWc = sp.tensordot(sp.tensordot(self.Wr(), MLc, (1, 0)), self.Wc(). T, (2, 0)) DWrMLcWc = sp.tensordot(self.D()[:, sp.newaxis, :] * WrMLcWc, self.Wc(), (2, 0)) WrDWrMLcWcLc = sp.tensordot(self.Wr().T, sp.tensordot(DWrMLcWc, self.Lc (), (2, 0)), (1, 0)) RV = (MLcLc - WrDWrMLcWcLc).transpose([0, 2, 1]) if len(Mt.shape) == 2: RV = RV[:, :, 0] return RV
solve_t
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Mt):\n if len(Mt.shape) == 2:\n _Mt = Mt[:, :, sp.newaxis]\n else:\n _Mt = Mt\n M = _Mt.transpose([0, 2, 1])\n MLc = sp.tensordot(M, self.Lc().T, (2, 0))\n MLcLc = sp.tensordot(MLc, self.Lc(), (2, 0))\n WrMLcWc = sp.tensordot(sp.tensordot(self.Wr(), MLc, (1, 0)), self.Wc().\n T, (2, 0))\n DWrMLcWc = sp.tensordot(self.D()[:, sp.newaxis, :] * WrMLcWc, self.Wc(),\n (2, 0))\n WrDWrMLcWcLc = sp.tensordot(self.Wr().T, sp.tensordot(DWrMLcWc, self.Lc\n (), (2, 0)), (1, 0))\n RV = (MLcLc - WrDWrMLcWcLc).transpose([0, 2, 1])\n if len(Mt.shape) == 2:\n RV = RV[:, :, 0]\n return RV\n", "role": "user" }, { "content": "solve_t", "role": "assistant" } ]
def x(p): p[0] = p[1] if p[2].RULE_IDENTIFIER == 'REQUIRE': if any(command.RULE_IDENTIFIER != 'REQUIRE' for command in p[0]. commands): print( 'REQUIRE command on line %d must come before any other non-REQUIRE commands' % p.lineno(2)) raise SyntaxError elif p[2].RULE_IDENTIFIER in ('ELSIF', 'ELSE'): if p[0].commands[-1].RULE_IDENTIFIER not in ('IF', 'ELSIF'): print( 'ELSIF/ELSE command on line %d must follow an IF/ELSIF command' % p.lineno(2)) raise SyntaxError p[0].commands.append(p[2])
p_commands_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = p[1]\n if p[2].RULE_IDENTIFIER == 'REQUIRE':\n if any(command.RULE_IDENTIFIER != 'REQUIRE' for command in p[0].\n commands):\n print(\n 'REQUIRE command on line %d must come before any other non-REQUIRE commands'\n % p.lineno(2))\n raise SyntaxError\n elif p[2].RULE_IDENTIFIER in ('ELSIF', 'ELSE'):\n if p[0].commands[-1].RULE_IDENTIFIER not in ('IF', 'ELSIF'):\n print(\n 'ELSIF/ELSE command on line %d must follow an IF/ELSIF command'\n % p.lineno(2))\n raise SyntaxError\n p[0].commands.append(p[2])\n", "role": "user" }, { "content": "p_commands_list", "role": "assistant" } ]
def x(p): tests = p[2].get('tests') block = None if p[3] != ';': block = p[3] handler = sifter.handler.get('command', p[1]) if handler is None: print("No handler registered for command '%s' on line %d" % (p[1], p.lineno(1))) raise SyntaxError p[0] = handler(arguments=p[2]['args'], tests=tests, block=block)
p_command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n tests = p[2].get('tests')\n block = None\n if p[3] != ';':\n block = p[3]\n handler = sifter.handler.get('command', p[1])\n if handler is None:\n print(\"No handler registered for command '%s' on line %d\" % (p[1],\n p.lineno(1)))\n raise SyntaxError\n p[0] = handler(arguments=p[2]['args'], tests=tests, block=block)\n", "role": "user" }, { "content": "p_command", "role": "assistant" } ]
def x(p): if any(command.RULE_IDENTIFIER == 'REQUIRE' for command in p[2].commands): print('REQUIRE command not allowed inside of a block (line %d)' % p .lineno(2)) raise SyntaxError p[0] = p[2]
p_block
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n if any(command.RULE_IDENTIFIER == 'REQUIRE' for command in p[2].commands):\n print('REQUIRE command not allowed inside of a block (line %d)' % p\n .lineno(2))\n raise SyntaxError\n p[0] = p[2]\n", "role": "user" }, { "content": "p_block", "role": "assistant" } ]
def x(p): p[0] = {'args': p[1]} if len(p) > 2: if p[2] == '(': p[0]['tests'] = p[3] else: p[0]['tests'] = [p[2]]
p_arguments
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = {'args': p[1]}\n if len(p) > 2:\n if p[2] == '(':\n p[0]['tests'] = p[3]\n else:\n p[0]['tests'] = [p[2]]\n", "role": "user" }, { "content": "p_arguments", "role": "assistant" } ]
def x(self, app): if self.module: app.config.from_object(self.module)
init_app
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, app):\n if self.module:\n app.config.from_object(self.module)\n", "role": "user" }, { "content": "init_app", "role": "assistant" } ]
def x(context): assert len(context.buf) == len(context.fuzzed_buf) count = number_of_modified_bytes(context.buf, context.fuzzed_buf) assert count < 3 assert count >= 0
step_impl03
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(context):\n assert len(context.buf) == len(context.fuzzed_buf)\n count = number_of_modified_bytes(context.buf, context.fuzzed_buf)\n assert count < 3\n assert count >= 0\n", "role": "user" }, { "content": "step_impl03", "role": "assistant" } ]
def x(context, max_modified): assert len(context.buf) == len(context.fuzzed_buf) count = number_of_modified_bytes(context.buf, context.fuzzed_buf) assert count >= 0 assert count <= max_modified
step_impl
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(context, max_modified):\n assert len(context.buf) == len(context.fuzzed_buf)\n count = number_of_modified_bytes(context.buf, context.fuzzed_buf)\n assert count >= 0\n assert count <= max_modified\n", "role": "user" }, { "content": "step_impl", "role": "assistant" } ]
def x(context, count): fuzz_factor = 11 context.fuzzed_string_list = fuzz_string(context.seed, count, fuzz_factor)
step_impl06
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(context, count):\n fuzz_factor = 11\n context.fuzzed_string_list = fuzz_string(context.seed, count, fuzz_factor)\n", "role": "user" }, { "content": "step_impl06", "role": "assistant" } ]
def x(context, len_list): assert len(context.fuzzed_string_list) == len_list for fuzzed_string in context.fuzzed_string_list: assert len(context.seed) == len(fuzzed_string) count = number_of_modified_bytes(context.seed, fuzzed_string) assert count >= 0
step_impl07
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(context, len_list):\n assert len(context.fuzzed_string_list) == len_list\n for fuzzed_string in context.fuzzed_string_list:\n assert len(context.seed) == len(fuzzed_string)\n count = number_of_modified_bytes(context.seed, fuzzed_string)\n assert count >= 0\n", "role": "user" }, { "content": "step_impl07", "role": "assistant" } ]
def x(context): assert context.table, 'ENSURE: table is provided.' context.file_list = [row['file_path'] for row in context.table.rows]
step_impl08
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(context):\n assert context.table, 'ENSURE: table is provided.'\n context.file_list = [row['file_path'] for row in context.table.rows]\n", "role": "user" }, { "content": "step_impl08", "role": "assistant" } ]
def x(context): assert context.table, 'ENSURE: table is provided.' context.app_list = [row['application'] for row in context.table.rows]
step_impl09
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(context):\n assert context.table, 'ENSURE: table is provided.'\n context.app_list = [row['application'] for row in context.table.rows]\n", "role": "user" }, { "content": "step_impl09", "role": "assistant" } ]
def x(context): assert context.app_list and len(context.app_list ) > 0, 'ENSURE: app list is provided.' assert context.file_list and len(context.file_list ) > 0, 'ENSURE: file list is provided.' context.fuzz_executor = FuzzExecutor(context.app_list, context.file_list) assert context.fuzz_executor, 'VERIFY: fuzz executor created.'
step_impl10
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(context):\n assert context.app_list and len(context.app_list\n ) > 0, 'ENSURE: app list is provided.'\n assert context.file_list and len(context.file_list\n ) > 0, 'ENSURE: file list is provided.'\n context.fuzz_executor = FuzzExecutor(context.app_list, context.file_list)\n assert context.fuzz_executor, 'VERIFY: fuzz executor created.'\n", "role": "user" }, { "content": "step_impl10", "role": "assistant" } ]
def x(context, runs): executor = context.fuzz_executor executor.run_test(runs) stats = executor.stats count = stats.cumulated_counts() assert count == runs, 'VERIFY: stats available.'
step_impl11
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(context, runs):\n executor = context.fuzz_executor\n executor.run_test(runs)\n stats = executor.stats\n count = stats.cumulated_counts()\n assert count == runs, 'VERIFY: stats available.'\n", "role": "user" }, { "content": "step_impl11", "role": "assistant" } ]
def x(context, runs): executor_ = context.fuzz_executor stats = executor_.stats count = stats.cumulated_counts() assert count == runs, 'VERIFY: Number of recorded runs.'
step_impl12
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(context, runs):\n executor_ = context.fuzz_executor\n stats = executor_.stats\n count = stats.cumulated_counts()\n assert count == runs, 'VERIFY: Number of recorded runs.'\n", "role": "user" }, { "content": "step_impl12", "role": "assistant" } ]
def x(context, runs): executor_ = context.fuzz_executor stats = executor_.stats count = stats.cumulated_counts() assert count == runs, 'VERIFY: Number of recorded runs.' successful_runs = stats.cumulated_counts_for_status(Status.SUCCESS) assert successful_runs == runs
step_impl13
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(context, runs):\n executor_ = context.fuzz_executor\n stats = executor_.stats\n count = stats.cumulated_counts()\n assert count == runs, 'VERIFY: Number of recorded runs.'\n successful_runs = stats.cumulated_counts_for_status(Status.SUCCESS)\n assert successful_runs == runs\n", "role": "user" }, { "content": "step_impl13", "role": "assistant" } ]
def x(context, runs): executor_ = context.fuzz_executor stats = executor_.stats count = stats.cumulated_counts() assert count == runs, 'VERIFY: Number of recorded runs.' failed_runs = stats.cumulated_counts_for_status(Status.FAILED) assert failed_runs == runs
step_impl14
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(context, runs):\n executor_ = context.fuzz_executor\n stats = executor_.stats\n count = stats.cumulated_counts()\n assert count == runs, 'VERIFY: Number of recorded runs.'\n failed_runs = stats.cumulated_counts_for_status(Status.FAILED)\n assert failed_runs == runs\n", "role": "user" }, { "content": "step_impl14", "role": "assistant" } ]
def x(buf, fuzzed_buf): count = 0 for idx, b in enumerate(buf): if b != fuzzed_buf[idx]: count += 1 return count
number_of_modified_bytes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(buf, fuzzed_buf):\n count = 0\n for idx, b in enumerate(buf):\n if b != fuzzed_buf[idx]:\n count += 1\n return count\n", "role": "user" }, { "content": "number_of_modified_bytes", "role": "assistant" } ]
def x(X, W, embed_dim, CC_labels, dist_mult=2.0, angle_thresh=0.2, min_shortcircuit=4, max_degree=5, verbose=False): W = W.astype(bool) assert np.all(W == W.T), 'graph given to flesh_out must be symmetric' D = pairwise_distances(X, metric='sqeuclidean') avg_edge_length = np.empty(X.shape[0]) for i, nbr_mask in enumerate(W): avg_edge_length[i] = D[i, nbr_mask].mean() dist_thresh = dist_mult * avg_edge_length dist_mask = (D < dist_thresh) | (D < dist_thresh[:, None]) hops_mask = np.isinf(dijkstra(W, unweighted=True, limit= min_shortcircuit - 1)) CC_mask = CC_labels != CC_labels[:, None] candidate_edges = ~W & dist_mask & hops_mask & CC_mask if verbose: print('before F:', candidate_edges.sum(), 'potentials') subspaces, _ = cluster_subspaces(X, embed_dim, CC_labels.max() + 1, CC_labels) ii, jj = np.where(np.triu(candidate_edges)) edge_dirs = X[ii] - X[jj] ssi = subspaces[CC_labels[ii]] ssj = subspaces[CC_labels[jj]] F = edge_cluster_angle(edge_dirs, ssi, ssj) mask = F < angle_thresh edge_ii = ii[mask] edge_jj = jj[mask] edge_order = np.argsort(F[mask]) if verbose: print('got', len(edge_ii), 'potential edges') degree = W.sum(axis=0) sorted_edges = np.column_stack((edge_ii, edge_jj))[edge_order] for e in sorted_edges: if degree[e].max() < max_degree: W[e[0], e[1]] = True W[e[1], e[0]] = True degree[e] += 1 return Graph.from_adj_matrix(np.where(W, np.sqrt(D), 0))
flesh_out
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(X, W, embed_dim, CC_labels, dist_mult=2.0, angle_thresh=0.2,\n min_shortcircuit=4, max_degree=5, verbose=False):\n W = W.astype(bool)\n assert np.all(W == W.T), 'graph given to flesh_out must be symmetric'\n D = pairwise_distances(X, metric='sqeuclidean')\n avg_edge_length = np.empty(X.shape[0])\n for i, nbr_mask in enumerate(W):\n avg_edge_length[i] = D[i, nbr_mask].mean()\n dist_thresh = dist_mult * avg_edge_length\n dist_mask = (D < dist_thresh) | (D < dist_thresh[:, None])\n hops_mask = np.isinf(dijkstra(W, unweighted=True, limit=\n min_shortcircuit - 1))\n CC_mask = CC_labels != CC_labels[:, None]\n candidate_edges = ~W & dist_mask & hops_mask & CC_mask\n if verbose:\n print('before F:', candidate_edges.sum(), 'potentials')\n subspaces, _ = cluster_subspaces(X, embed_dim, CC_labels.max() + 1,\n CC_labels)\n ii, jj = np.where(np.triu(candidate_edges))\n edge_dirs = X[ii] - X[jj]\n ssi = subspaces[CC_labels[ii]]\n ssj = subspaces[CC_labels[jj]]\n F = edge_cluster_angle(edge_dirs, ssi, ssj)\n mask = F < angle_thresh\n edge_ii = ii[mask]\n edge_jj = jj[mask]\n edge_order = np.argsort(F[mask])\n if verbose:\n print('got', len(edge_ii), 'potential edges')\n degree = W.sum(axis=0)\n sorted_edges = np.column_stack((edge_ii, edge_jj))[edge_order]\n for e in sorted_edges:\n if degree[e].max() < max_degree:\n W[e[0], e[1]] = True\n W[e[1], e[0]] = True\n degree[e] += 1\n return Graph.from_adj_matrix(np.where(W, np.sqrt(D), 0))\n", "role": "user" }, { "content": "flesh_out", "role": "assistant" } ]
def x(edge_dirs, subspaces1, subspaces2): QG = edge_dirs / np.linalg.norm(edge_dirs, ord=2, axis=1)[:, None] X1 = np.einsum('...ij,...i->...j', subspaces1, QG) X2 = np.einsum('...ij,...i->...j', subspaces2, QG) C1 = np.linalg.svd(X1[:, :, None], compute_uv=False) C2 = np.linalg.svd(X2[:, :, None], compute_uv=False) angles = np.maximum(1 - C1 ** 2, 1 - C2 ** 2)[:, 0] angles[np.isnan(angles)] = 0.0 return angles
edge_cluster_angle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(edge_dirs, subspaces1, subspaces2):\n QG = edge_dirs / np.linalg.norm(edge_dirs, ord=2, axis=1)[:, None]\n X1 = np.einsum('...ij,...i->...j', subspaces1, QG)\n X2 = np.einsum('...ij,...i->...j', subspaces2, QG)\n C1 = np.linalg.svd(X1[:, :, None], compute_uv=False)\n C2 = np.linalg.svd(X2[:, :, None], compute_uv=False)\n angles = np.maximum(1 - C1 ** 2, 1 - C2 ** 2)[:, 0]\n angles[np.isnan(angles)] = 0.0\n return angles\n", "role": "user" }, { "content": "edge_cluster_angle", "role": "assistant" } ]
def x(self): def x(self): bigF = np.zeros_like(self._x) f = np.zeros_like(self._x) numerator_arg = 1.0 / self._x[self._x_small] + np.sqrt(1.0 / self. _x[self._x_small] ** 2 - 1.0) denominator = np.sqrt(1.0 - self._x[self._x_small] ** 2) bigF[self._x_small] = np.log(numerator_arg) / denominator bigF[self._x_big] = np.arccos(1.0 / self._x[self._x_big]) / np.sqrt( self._x[self._x_big] ** 2 - 1.0) f = (1.0 - bigF) / (self._x ** 2 - 1.0) f[self._x_one] = 1.0 / 3.0 if np.isnan(np.sum(f)) or np.isinf(np.sum(f)): print('\nERROR: f is not all real\n') if f.ndim == 2: sigma = 2.0 * self._rs_dc_rcrit * f else: rs_dc_rcrit_4D = self._rs_dc_rcrit.T.reshape(1, 1, f.shape[2], f.shape[3]) sigma = 2.0 * rs_dc_rcrit_4D * f return sigma def x(self): numRoff = self._numRoff numTh = self._numTh numRbins = self._nbins maxsig = self._sigmaoffset.value.max() roff_1D = np.linspace(0.0, 4.0 * maxsig, numRoff) theta_1D = np.linspace(0.0, 2.0 * np.pi, numTh) rMpc_1D = self._rbins.value theta = theta_1D.reshape(numTh, 1, 1) roff = roff_1D.reshape(1, numRoff, 1) rMpc = rMpc_1D.reshape(1, 1, numRbins) r_eq13 = np.sqrt(rMpc ** 2 + roff ** 2 - 2.0 * rMpc * roff * np.cos (theta)) _set_dimensionless_radius(self, radii=r_eq13, integration=True) sigma = _centered_sigma(self) inner_integrand = sigma.value / (2.0 * np.pi) sigma_of_RgivenRoff = simps(inner_integrand, x=theta_1D, axis=0, even='first') sig_off_3D = self._sigmaoffset.value.reshape(1, 1, self._nlens) roff_v2 = roff_1D.reshape(numRoff, 1, 1) PofRoff = roff_v2 / sig_off_3D ** 2 * np.exp(-0.5 * (roff_v2 / sig_off_3D) ** 2) dbl_integrand = sigma_of_RgivenRoff * PofRoff sigma_smoothed = simps(dbl_integrand, x=roff_1D, axis=0, even='first') _set_dimensionless_radius(self) sigma_sm = np.array(sigma_smoothed.T) * units.solMass / units.pc ** 2 return sigma_sm if self._sigmaoffset is None: finalsigma = _centered_sigma(self) elif np.abs(self._sigmaoffset).sum() == 0: finalsigma = _centered_sigma(self) else: finalsigma = _offset_sigma(self) self._sigma_sm = finalsigma return finalsigma
sigma_nfw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n\n def x(self):\n bigF = np.zeros_like(self._x)\n f = np.zeros_like(self._x)\n numerator_arg = 1.0 / self._x[self._x_small] + np.sqrt(1.0 / self.\n _x[self._x_small] ** 2 - 1.0)\n denominator = np.sqrt(1.0 - self._x[self._x_small] ** 2)\n bigF[self._x_small] = np.log(numerator_arg) / denominator\n bigF[self._x_big] = np.arccos(1.0 / self._x[self._x_big]) / np.sqrt(\n self._x[self._x_big] ** 2 - 1.0)\n f = (1.0 - bigF) / (self._x ** 2 - 1.0)\n f[self._x_one] = 1.0 / 3.0\n if np.isnan(np.sum(f)) or np.isinf(np.sum(f)):\n print('\\nERROR: f is not all real\\n')\n if f.ndim == 2:\n sigma = 2.0 * self._rs_dc_rcrit * f\n else:\n rs_dc_rcrit_4D = self._rs_dc_rcrit.T.reshape(1, 1, f.shape[2],\n f.shape[3])\n sigma = 2.0 * rs_dc_rcrit_4D * f\n return sigma\n\n def x(self):\n numRoff = self._numRoff\n numTh = self._numTh\n numRbins = self._nbins\n maxsig = self._sigmaoffset.value.max()\n roff_1D = np.linspace(0.0, 4.0 * maxsig, numRoff)\n theta_1D = np.linspace(0.0, 2.0 * np.pi, numTh)\n rMpc_1D = self._rbins.value\n theta = theta_1D.reshape(numTh, 1, 1)\n roff = roff_1D.reshape(1, numRoff, 1)\n rMpc = rMpc_1D.reshape(1, 1, numRbins)\n r_eq13 = np.sqrt(rMpc ** 2 + roff ** 2 - 2.0 * rMpc * roff * np.cos\n (theta))\n _set_dimensionless_radius(self, radii=r_eq13, integration=True)\n sigma = _centered_sigma(self)\n inner_integrand = sigma.value / (2.0 * np.pi)\n sigma_of_RgivenRoff = simps(inner_integrand, x=theta_1D, axis=0,\n even='first')\n sig_off_3D = self._sigmaoffset.value.reshape(1, 1, self._nlens)\n roff_v2 = roff_1D.reshape(numRoff, 1, 1)\n PofRoff = roff_v2 / sig_off_3D ** 2 * np.exp(-0.5 * (roff_v2 /\n sig_off_3D) ** 2)\n dbl_integrand = sigma_of_RgivenRoff * PofRoff\n sigma_smoothed = simps(dbl_integrand, x=roff_1D, axis=0, even='first')\n _set_dimensionless_radius(self)\n sigma_sm = np.array(sigma_smoothed.T) * units.solMass / units.pc ** 2\n return sigma_sm\n if self._sigmaoffset is None:\n finalsigma = _centered_sigma(self)\n elif np.abs(self._sigmaoffset).sum() == 0:\n finalsigma = _centered_sigma(self)\n else:\n finalsigma = _offset_sigma(self)\n self._sigma_sm = finalsigma\n return finalsigma\n", "role": "user" }, { "content": "sigma_nfw", "role": "assistant" } ]
def x(self): def x(self): firstpart = np.zeros_like(self._x) secondpart = np.zeros_like(self._x) g = np.zeros_like(self._x) small_1a = 4.0 / self._x[self._x_small] ** 2 small_1b = 2.0 / (self._x[self._x_small] ** 2 - 1.0) small_1c = np.sqrt(1.0 - self._x[self._x_small] ** 2) firstpart[self._x_small] = (small_1a + small_1b) / small_1c big_1a = 8.0 / (self._x[self._x_big] ** 2 * np.sqrt(self._x[self. _x_big] ** 2 - 1.0)) big_1b = 4.0 / (self._x[self._x_big] ** 2 - 1.0) ** 1.5 firstpart[self._x_big] = big_1a + big_1b small_2a = np.sqrt((1.0 - self._x[self._x_small]) / (1.0 + self._x[ self._x_small])) secondpart[self._x_small] = np.log((1.0 + small_2a) / (1.0 - small_2a)) big_2a = self._x[self._x_big] - 1.0 big_2b = 1.0 + self._x[self._x_big] secondpart[self._x_big] = np.arctan(np.sqrt(big_2a / big_2b)) both_3a = 4.0 / self._x ** 2 * np.log(self._x / 2.0) both_3b = 2.0 / (self._x ** 2 - 1.0) g = firstpart * secondpart + both_3a - both_3b g[self._x_one] = 10.0 / 3.0 + 4.0 * np.log(0.5) if np.isnan(np.sum(g)) or np.isinf(np.sum(g)): print('\nERROR: g is not all real\n', g) deltasigma = self._rs_dc_rcrit * g return deltasigma def x(self): original_rbins = self._rbins.value try: sigma_sm_rbins = self._sigma_sm except AttributeError: sigma_sm_rbins = self.sigma_nfw() innermost_sampling = 1e-10 inner_prec = self._numRinner r_inner = np.linspace(innermost_sampling, original_rbins.min(), endpoint=False, num=inner_prec) outer_prec = self._factorRouter * self._nbins r_outer = np.linspace(original_rbins.min(), original_rbins.max(), endpoint=False, num=outer_prec + 1)[1:] r_ext_unordered = np.hstack([r_inner, r_outer, original_rbins]) r_extended = np.sort(r_ext_unordered) self._rbins = r_extended * units.Mpc self._nbins = self._rbins.shape[0] _set_dimensionless_radius(self) rs_dc_rcrit = self._rs * self._delta_c * self._rho_crit self._rs_dc_rcrit = rs_dc_rcrit.reshape(self._nlens, 1).repeat(self ._nbins, 1) sigma_sm_extended = self.sigma_nfw() mean_inside_sigma_sm = np.zeros([self._nlens, original_rbins.shape[0]]) for i, r in enumerate(original_rbins): index_of_rbin = np.where(r_extended == r)[0][0] x = r_extended[0:index_of_rbin + 1] y = sigma_sm_extended[:, 0:index_of_rbin + 1] * x integral = simps(y, x=x, axis=-1, even='first') mean_inside_sigma_sm[:, i] = 2.0 / r ** 2 * integral mean_inside_sigma_sm = mean_inside_sigma_sm * (units.Msun / units. pc ** 2) self._rbins = original_rbins * units.Mpc self._nbins = self._rbins.shape[0] _set_dimensionless_radius(self) rs_dc_rcrit = self._rs * self._delta_c * self._rho_crit self._rs_dc_rcrit = rs_dc_rcrit.reshape(self._nlens, 1).repeat(self ._nbins, 1) self._sigma_sm = sigma_sm_rbins dsigma_sm = mean_inside_sigma_sm - sigma_sm_rbins return dsigma_sm if self._sigmaoffset is None: finaldeltasigma = _centered_dsigma(self) elif np.abs(self._sigmaoffset).sum() == 0: finaldeltasigma = _centered_dsigma(self) else: finaldeltasigma = _offset_dsigma(self) return finaldeltasigma
deltasigma_nfw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n\n def x(self):\n firstpart = np.zeros_like(self._x)\n secondpart = np.zeros_like(self._x)\n g = np.zeros_like(self._x)\n small_1a = 4.0 / self._x[self._x_small] ** 2\n small_1b = 2.0 / (self._x[self._x_small] ** 2 - 1.0)\n small_1c = np.sqrt(1.0 - self._x[self._x_small] ** 2)\n firstpart[self._x_small] = (small_1a + small_1b) / small_1c\n big_1a = 8.0 / (self._x[self._x_big] ** 2 * np.sqrt(self._x[self.\n _x_big] ** 2 - 1.0))\n big_1b = 4.0 / (self._x[self._x_big] ** 2 - 1.0) ** 1.5\n firstpart[self._x_big] = big_1a + big_1b\n small_2a = np.sqrt((1.0 - self._x[self._x_small]) / (1.0 + self._x[\n self._x_small]))\n secondpart[self._x_small] = np.log((1.0 + small_2a) / (1.0 - small_2a))\n big_2a = self._x[self._x_big] - 1.0\n big_2b = 1.0 + self._x[self._x_big]\n secondpart[self._x_big] = np.arctan(np.sqrt(big_2a / big_2b))\n both_3a = 4.0 / self._x ** 2 * np.log(self._x / 2.0)\n both_3b = 2.0 / (self._x ** 2 - 1.0)\n g = firstpart * secondpart + both_3a - both_3b\n g[self._x_one] = 10.0 / 3.0 + 4.0 * np.log(0.5)\n if np.isnan(np.sum(g)) or np.isinf(np.sum(g)):\n print('\\nERROR: g is not all real\\n', g)\n deltasigma = self._rs_dc_rcrit * g\n return deltasigma\n\n def x(self):\n original_rbins = self._rbins.value\n try:\n sigma_sm_rbins = self._sigma_sm\n except AttributeError:\n sigma_sm_rbins = self.sigma_nfw()\n innermost_sampling = 1e-10\n inner_prec = self._numRinner\n r_inner = np.linspace(innermost_sampling, original_rbins.min(),\n endpoint=False, num=inner_prec)\n outer_prec = self._factorRouter * self._nbins\n r_outer = np.linspace(original_rbins.min(), original_rbins.max(),\n endpoint=False, num=outer_prec + 1)[1:]\n r_ext_unordered = np.hstack([r_inner, r_outer, original_rbins])\n r_extended = np.sort(r_ext_unordered)\n self._rbins = r_extended * units.Mpc\n self._nbins = self._rbins.shape[0]\n _set_dimensionless_radius(self)\n rs_dc_rcrit = self._rs * self._delta_c * self._rho_crit\n self._rs_dc_rcrit = rs_dc_rcrit.reshape(self._nlens, 1).repeat(self\n ._nbins, 1)\n sigma_sm_extended = self.sigma_nfw()\n mean_inside_sigma_sm = np.zeros([self._nlens, original_rbins.shape[0]])\n for i, r in enumerate(original_rbins):\n index_of_rbin = np.where(r_extended == r)[0][0]\n x = r_extended[0:index_of_rbin + 1]\n y = sigma_sm_extended[:, 0:index_of_rbin + 1] * x\n integral = simps(y, x=x, axis=-1, even='first')\n mean_inside_sigma_sm[:, i] = 2.0 / r ** 2 * integral\n mean_inside_sigma_sm = mean_inside_sigma_sm * (units.Msun / units.\n pc ** 2)\n self._rbins = original_rbins * units.Mpc\n self._nbins = self._rbins.shape[0]\n _set_dimensionless_radius(self)\n rs_dc_rcrit = self._rs * self._delta_c * self._rho_crit\n self._rs_dc_rcrit = rs_dc_rcrit.reshape(self._nlens, 1).repeat(self\n ._nbins, 1)\n self._sigma_sm = sigma_sm_rbins\n dsigma_sm = mean_inside_sigma_sm - sigma_sm_rbins\n return dsigma_sm\n if self._sigmaoffset is None:\n finaldeltasigma = _centered_dsigma(self)\n elif np.abs(self._sigmaoffset).sum() == 0:\n finaldeltasigma = _centered_dsigma(self)\n else:\n finaldeltasigma = _offset_dsigma(self)\n return finaldeltasigma\n", "role": "user" }, { "content": "deltasigma_nfw", "role": "assistant" } ]
def x(pairs, num_vertices=None, symmetric=False, weights=None): if not symmetric: if weights is None: return EdgePairGraph(pairs, num_vertices=num_vertices) row, col = np.asarray(pairs).T row, weights = np.broadcast_arrays(row, weights) shape = None if num_vertices is None else (num_vertices, num_vertices) adj = ss.coo_matrix((weights, (row, col)), shape=shape) return SparseAdjacencyMatrixGraph(adj) G = SymmEdgePairGraph(pairs, num_vertices=num_vertices) if weights is None: return G s = G.matrix('coo').astype(float) flat_idx = np.ravel_multi_index(s.nonzero(), s.shape) r, c = np.transpose(pairs) rc_idx = np.ravel_multi_index((r, c), s.shape) cr_idx = np.ravel_multi_index((c, r), s.shape) order = np.argsort(flat_idx) flat_idx = flat_idx[order] s.data[order[np.searchsorted(flat_idx, rc_idx)]] = weights s.data[order[np.searchsorted(flat_idx, cr_idx)]] = weights return SparseAdjacencyMatrixGraph(s)
from_edge_pairs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pairs, num_vertices=None, symmetric=False, weights=None):\n if not symmetric:\n if weights is None:\n return EdgePairGraph(pairs, num_vertices=num_vertices)\n row, col = np.asarray(pairs).T\n row, weights = np.broadcast_arrays(row, weights)\n shape = None if num_vertices is None else (num_vertices, num_vertices)\n adj = ss.coo_matrix((weights, (row, col)), shape=shape)\n return SparseAdjacencyMatrixGraph(adj)\n G = SymmEdgePairGraph(pairs, num_vertices=num_vertices)\n if weights is None:\n return G\n s = G.matrix('coo').astype(float)\n flat_idx = np.ravel_multi_index(s.nonzero(), s.shape)\n r, c = np.transpose(pairs)\n rc_idx = np.ravel_multi_index((r, c), s.shape)\n cr_idx = np.ravel_multi_index((c, r), s.shape)\n order = np.argsort(flat_idx)\n flat_idx = flat_idx[order]\n s.data[order[np.searchsorted(flat_idx, rc_idx)]] = weights\n s.data[order[np.searchsorted(flat_idx, cr_idx)]] = weights\n return SparseAdjacencyMatrixGraph(s)\n", "role": "user" }, { "content": "from_edge_pairs", "role": "assistant" } ]
def x(self, value): if value is None: value = sp.zeros((self._N, 0)) assert value.shape[0] == self._N, 'Dimension mismatch' self._K = value.shape[1] self._W = value self._notify() self.clear_cache('predict_in_sample', 'Yres')
W
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if value is None:\n value = sp.zeros((self._N, 0))\n assert value.shape[0] == self._N, 'Dimension mismatch'\n self._K = value.shape[1]\n self._W = value\n self._notify()\n self.clear_cache('predict_in_sample', 'Yres')\n", "role": "user" }, { "content": "W", "role": "assistant" } ]
def x(self, value): if value is None: self._use_to_predict = False else: assert value.shape[1] == self._K, 'Dimension mismatch' self._use_to_predict = True self._Wstar = value self.clear_cache('predict')
Wstar
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if value is None:\n self._use_to_predict = False\n else:\n assert value.shape[1] == self._K, 'Dimension mismatch'\n self._use_to_predict = True\n self._Wstar = value\n self.clear_cache('predict')\n", "role": "user" }, { "content": "Wstar", "role": "assistant" } ]
def x(obfuscate_globals=False, shadow_funcname=False, reserved_keywords=()): def x(): inst = Obfuscator(obfuscate_globals=obfuscate_globals, shadow_funcname=shadow_funcname, reserved_keywords= reserved_keywords) return {'token_handler': token_handler_unobfuscate, 'deferrable_handlers': {Resolve: inst.resolve}, 'prewalk_hooks': [inst.prewalk_hook]} return name_obfuscation_rules
obfuscate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obfuscate_globals=False, shadow_funcname=False, reserved_keywords=()):\n\n def x():\n inst = Obfuscator(obfuscate_globals=obfuscate_globals,\n shadow_funcname=shadow_funcname, reserved_keywords=\n reserved_keywords)\n return {'token_handler': token_handler_unobfuscate,\n 'deferrable_handlers': {Resolve: inst.resolve}, 'prewalk_hooks':\n [inst.prewalk_hook]}\n return name_obfuscation_rules\n", "role": "user" }, { "content": "obfuscate", "role": "assistant" } ]
def x(self): return self.local_declared_symbols | (self.parent.declared_symbols if self.parent else set())
declared_symbols
[ { "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.local_declared_symbols | (self.parent.declared_symbols if\n self.parent else set())\n", "role": "user" }, { "content": "declared_symbols", "role": "assistant" } ]
def x(self): declared_symbols = self.declared_symbols return set(s for s in self.referenced_symbols if s not in declared_symbols)
global_symbols
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n declared_symbols = self.declared_symbols\n return set(s for s in self.referenced_symbols if s not in declared_symbols)\n", "role": "user" }, { "content": "global_symbols", "role": "assistant" } ]
def x(self): result = set() for child in self.children: result |= child.global_symbols | child.global_symbols_in_children return result
global_symbols_in_children
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n result = set()\n for child in self.children:\n result |= child.global_symbols | child.global_symbols_in_children\n return result\n", "role": "user" }, { "content": "global_symbols_in_children", "role": "assistant" } ]
def x(self): if self._closed: raise ValueError('scope is already marked as closed') if self.parent: for symbol, c in self.leaked_referenced_symbols.items(): self.parent.reference(symbol, c) self._closed = True
close
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._closed:\n raise ValueError('scope is already marked as closed')\n if self.parent:\n for symbol, c in self.leaked_referenced_symbols.items():\n self.parent.reference(symbol, c)\n self._closed = True\n", "role": "user" }, { "content": "close", "role": "assistant" } ]
def x(self): remapped_parents_symbols = {self.resolve(v) for v in self.non_local_symbols } return (self.global_symbols_in_children | self.global_symbols | remapped_parents_symbols)
reserved_symbols
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n remapped_parents_symbols = {self.resolve(v) for v in self.non_local_symbols\n }\n return (self.global_symbols_in_children | self.global_symbols |\n remapped_parents_symbols)\n", "role": "user" }, { "content": "reserved_symbols", "role": "assistant" } ]
def x(self, name_generator, children_only=True): if not children_only: replacement = name_generator(skip=self._reserved_symbols) for symbol, c in reversed(sorted(self.referenced_symbols.items(), key=itemgetter(1, 0))): if symbol not in self.local_declared_symbols: continue self.remapped_symbols[symbol] = next(replacement) for child in self.children: child.build_remap_symbols(name_generator, False)
build_remap_symbols
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name_generator, children_only=True):\n if not children_only:\n replacement = name_generator(skip=self._reserved_symbols)\n for symbol, c in reversed(sorted(self.referenced_symbols.items(),\n key=itemgetter(1, 0))):\n if symbol not in self.local_declared_symbols:\n continue\n self.remapped_symbols[symbol] = next(replacement)\n for child in self.children:\n child.build_remap_symbols(name_generator, False)\n", "role": "user" }, { "content": "build_remap_symbols", "role": "assistant" } ]
def x(self, node, cls=None): if cls is None: cls = type(self) nested_scope = cls(node, self) self.children.append(nested_scope) return nested_scope
nest
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node, cls=None):\n if cls is None:\n cls = type(self)\n nested_scope = cls(node, self)\n self.children.append(nested_scope)\n return nested_scope\n", "role": "user" }, { "content": "nest", "role": "assistant" } ]
def x(self, symbol): if symbol != self.catch_symbol: self.parent.declare(symbol)
declare
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, symbol):\n if symbol != self.catch_symbol:\n self.parent.declare(symbol)\n", "role": "user" }, { "content": "declare", "role": "assistant" } ]
def x(self, symbol, count=1): if symbol == self.catch_symbol: self.catch_symbol_usage += count else: self.parent.reference(symbol, count)
reference
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, symbol, count=1):\n if symbol == self.catch_symbol:\n self.catch_symbol_usage += count\n else:\n self.parent.reference(symbol, count)\n", "role": "user" }, { "content": "reference", "role": "assistant" } ]
def x(self, name_generator, children_only=None): replacement = name_generator(skip=self._reserved_symbols) self.remapped_symbols[self.catch_symbol] = next(replacement) for child in self.children: child.build_remap_symbols(name_generator, False)
build_remap_symbols
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name_generator, children_only=None):\n replacement = name_generator(skip=self._reserved_symbols)\n self.remapped_symbols[self.catch_symbol] = next(replacement)\n for child in self.children:\n child.build_remap_symbols(name_generator, False)\n", "role": "user" }, { "content": "build_remap_symbols", "role": "assistant" } ]
def x(self, dispatcher, node): self.identifiers[node] = self.current_scope self.current_scope.reference(node.value)
register_reference
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dispatcher, node):\n self.identifiers[node] = self.current_scope\n self.current_scope.reference(node.value)\n", "role": "user" }, { "content": "register_reference", "role": "assistant" } ]
def x(self, dispatcher, node): self.current_scope.reference(node.identifier.value)
shadow_reference
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dispatcher, node):\n self.current_scope.reference(node.identifier.value)\n", "role": "user" }, { "content": "shadow_reference", "role": "assistant" } ]