source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self):
try:
connection = self._pool_manager.get(self.pid, self)
LOGGER.debug('Re-using connection for %s', self.pid)
except pool.NoIdleConnectionsError:
if self._pool_manager.is_full(self.pid):
raise
kwargs = utils.uri_to_kwargs(self._uri)
LOGGER.debug('Creating a new connection for %s', self.pid)
connection = self._psycopg2_connect(kwargs)
self._pool_manager.add(self.pid, connection)
self._pool_manager.lock(self.pid, connection, self)
if utils.PYPY:
connection.reset()
self._register_unicode(connection)
self._register_uuid(connection)
return connection
| connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n connection = self._pool_manager.get(self.pid, self)\n LOGGER.debug('Re-using connection for %s', self.pid)\n except pool.NoIdleConnectionsError:\n if self._pool_manager.is_full(self.pid):\n raise\n kwargs = utils.uri_to_kwargs(self._uri)\n LOGGER.debug('Creating a new connection for %s', self.pid)\n connection = self._psycopg2_connect(kwargs)\n self._pool_manager.add(self.pid, connection)\n self._pool_manager.lock(self.pid, connection, self)\n if utils.PYPY:\n connection.reset()\n self._register_unicode(connection)\n self._register_uuid(connection)\n return connection\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self, connection, name=None):
cursor = connection.cursor(name=name, cursor_factory=self._cursor_factory)
if name is not None:
cursor.scrollable = True
cursor.withhold = True
return cursor
| get_cursor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection, name=None):\n cursor = connection.cursor(name=name, cursor_factory=self._cursor_factory)\n if name is not None:\n cursor.scrollable = True\n cursor.withhold = True\n return cursor\n",
"role": "user"
},
{
"content": "get_cursor",
"role": "assistant"
}
] |
def x(self):
self._pool_manager.get_connection(self.pid, self._conn).exceptions += 1
| incr_exceptions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._pool_manager.get_connection(self.pid, self._conn).exceptions += 1\n",
"role": "user"
},
{
"content": "incr_exceptions",
"role": "assistant"
}
] |
def x(self):
self._pool_manager.get_connection(self.pid, self._conn).executions += 1
| incr_executions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._pool_manager.get_connection(self.pid, self._conn).executions += 1\n",
"role": "user"
},
{
"content": "incr_executions",
"role": "assistant"
}
] |
def x(connection):
psycopg2.extensions.register_type(psycopg2.extensions.UNICODE, connection)
psycopg2.extensions.register_type(psycopg2.extensions.UNICODEARRAY,
connection)
| register_unicode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(connection):\n psycopg2.extensions.register_type(psycopg2.extensions.UNICODE, connection)\n psycopg2.extensions.register_type(psycopg2.extensions.UNICODEARRAY,\n connection)\n",
"role": "user"
},
{
"content": "register_unicode",
"role": "assistant"
}
] |
def x(self):
if self._conn.status == psycopg2.extensions.STATUS_BEGIN:
return self.READY
return self._conn.status
| status | [
{
"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._conn.status == psycopg2.extensions.STATUS_BEGIN:\n return self.READY\n return self._conn.status\n",
"role": "user"
},
{
"content": "status",
"role": "assistant"
}
] |
def x(self):
if not self.cursor.rowcount:
return {}
self._rewind()
if self.cursor.rowcount == 1:
return dict(self.cursor.fetchone())
else:
raise ValueError('More than one row')
| as_dict | [
{
"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.cursor.rowcount:\n return {}\n self._rewind()\n if self.cursor.rowcount == 1:\n return dict(self.cursor.fetchone())\n else:\n raise ValueError('More than one row')\n",
"role": "user"
},
{
"content": "as_dict",
"role": "assistant"
}
] |
def x(self):
if not self.cursor.rowcount:
return []
self.cursor.scroll(0, 'absolute')
return self.cursor.fetchall()
| items | [
{
"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.cursor.rowcount:\n return []\n self.cursor.scroll(0, 'absolute')\n return self.cursor.fetchall()\n",
"role": "user"
},
{
"content": "items",
"role": "assistant"
}
] |
def x():
if pwd is None:
return getpass.getuser()
else:
try:
return pwd.getpwuid(os.getuid())[0]
except KeyError as error:
LOGGER.error('Could not get logged-in user: %s', error)
| get_current_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if pwd is None:\n return getpass.getuser()\n else:\n try:\n return pwd.getpwuid(os.getuid())[0]\n except KeyError as error:\n LOGGER.error('Could not get logged-in user: %s', error)\n",
"role": "user"
},
{
"content": "get_current_user",
"role": "assistant"
}
] |
def x(host='localhost', port=5432, dbname='postgres', user='postgres',
password=None):
if port:
host = '%s:%s' % (host, port)
if password:
return 'postgresql://%s:%s@%s/%s' % (user, password, host, dbname)
return 'postgresql://%s@%s/%s' % (user, host, dbname)
| uri | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(host='localhost', port=5432, dbname='postgres', user='postgres',\n password=None):\n if port:\n host = '%s:%s' % (host, port)\n if password:\n return 'postgresql://%s:%s@%s/%s' % (user, password, host, dbname)\n return 'postgresql://%s@%s/%s' % (user, host, dbname)\n",
"role": "user"
},
{
"content": "uri",
"role": "assistant"
}
] |
def x(uri):
parsed = urlparse(uri)
default_user = get_current_user()
password = unquote(parsed.password) if parsed.password else None
kwargs = {'host': parsed.hostname, 'port': parsed.port, 'dbname':
parsed.path[1:] or default_user, 'user': parsed.username or
default_user, 'password': password}
values = parse_qs(parsed.query)
if 'host' in values:
kwargs['host'] = values['host'][0]
for k in [k for k in values if k in KEYWORDS]:
kwargs[k] = values[k][0] if len(values[k]) == 1 else values[k]
try:
if kwargs[k].isdigit():
kwargs[k] = int(kwargs[k])
except AttributeError:
pass
return kwargs
| uri_to_kwargs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(uri):\n parsed = urlparse(uri)\n default_user = get_current_user()\n password = unquote(parsed.password) if parsed.password else None\n kwargs = {'host': parsed.hostname, 'port': parsed.port, 'dbname': \n parsed.path[1:] or default_user, 'user': parsed.username or\n default_user, 'password': password}\n values = parse_qs(parsed.query)\n if 'host' in values:\n kwargs['host'] = values['host'][0]\n for k in [k for k in values if k in KEYWORDS]:\n kwargs[k] = values[k][0] if len(values[k]) == 1 else values[k]\n try:\n if kwargs[k].isdigit():\n kwargs[k] = int(kwargs[k])\n except AttributeError:\n pass\n return kwargs\n",
"role": "user"
},
{
"content": "uri_to_kwargs",
"role": "assistant"
}
] |
def x(url):
value = 'http%s' % url[5:] if url[:5] == 'postgresql' else url
parsed = _urlparse.urlparse(value)
path, query = parsed.path, parsed.query
hostname = parsed.hostname if parsed.hostname else ''
return PARSED(parsed.scheme.replace('http', 'postgresql'), parsed.
netloc, path, parsed.params, query, parsed.fragment, parsed.
username, parsed.password, hostname.replace('%2f', '/'), parsed.port)
| urlparse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n value = 'http%s' % url[5:] if url[:5] == 'postgresql' else url\n parsed = _urlparse.urlparse(value)\n path, query = parsed.path, parsed.query\n hostname = parsed.hostname if parsed.hostname else ''\n return PARSED(parsed.scheme.replace('http', 'postgresql'), parsed.\n netloc, path, parsed.params, query, parsed.fragment, parsed.\n username, parsed.password, hostname.replace('%2f', '/'), parsed.port)\n",
"role": "user"
},
{
"content": "urlparse",
"role": "assistant"
}
] |
def x(self):
self._freed = True
self._cleanup(self.cursor, self._fd)
| free | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._freed = True\n self._cleanup(self.cursor, self._fd)\n",
"role": "user"
},
{
"content": "free",
"role": "assistant"
}
] |
def x(self):
if self.pid not in self._pool_manager:
self._pool_manager.create(self.pid, self._pool_idle_ttl, self.
_pool_max_size, self._ioloop.time)
| ensure_pool_exists | [
{
"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.pid not in self._pool_manager:\n self._pool_manager.create(self.pid, self._pool_idle_ttl, self.\n _pool_max_size, self._ioloop.time)\n",
"role": "user"
},
{
"content": "ensure_pool_exists",
"role": "assistant"
}
] |
def x(self):
future = concurrent.Future()
try:
connection = self._pool_manager.get(self.pid, self)
self._connections[connection.fileno()] = connection
future.set_result(connection)
self._ioloop.add_handler(connection.fileno(), self._on_io_events,
ioloop.IOLoop.WRITE)
except pool.NoIdleConnectionsError:
self._create_connection(future)
return future
| connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n future = concurrent.Future()\n try:\n connection = self._pool_manager.get(self.pid, self)\n self._connections[connection.fileno()] = connection\n future.set_result(connection)\n self._ioloop.add_handler(connection.fileno(), self._on_io_events,\n ioloop.IOLoop.WRITE)\n except pool.NoIdleConnectionsError:\n self._create_connection(future)\n return future\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self, future):
LOGGER.debug('Creating a new connection for %s', self.pid)
kwargs = utils.uri_to_kwargs(self._uri)
try:
connection = self._psycopg2_connect(kwargs)
except (psycopg2.Error, OSError, socket.error) as error:
future.set_exception(error)
return
fd = connection.fileno()
self._connections[fd] = connection
def x(cf):
if cf.exception():
self._cleanup_fd(fd, True)
future.set_exception(cf.exception())
else:
try:
LOGGER.debug('Connection established for %s', self.pid)
self._pool_manager.add(self.pid, connection)
except (ValueError, pool.PoolException) as err:
LOGGER.exception('Failed to add %r to the pool', self.pid)
self._cleanup_fd(fd)
future.set_exception(err)
return
self._pool_manager.lock(self.pid, connection, self)
if utils.PYPY:
connection.status = extensions.STATUS_READY
self._register_unicode(connection)
self._register_uuid(connection)
future.set_result(connection)
self._futures[fd] = concurrent.Future()
self._ioloop.add_future(self._futures[fd], on_connected)
self._ioloop.add_handler(connection.fileno(), self._on_io_events,
ioloop.IOLoop.WRITE)
| create_connection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, future):\n LOGGER.debug('Creating a new connection for %s', self.pid)\n kwargs = utils.uri_to_kwargs(self._uri)\n try:\n connection = self._psycopg2_connect(kwargs)\n except (psycopg2.Error, OSError, socket.error) as error:\n future.set_exception(error)\n return\n fd = connection.fileno()\n self._connections[fd] = connection\n\n def x(cf):\n if cf.exception():\n self._cleanup_fd(fd, True)\n future.set_exception(cf.exception())\n else:\n try:\n LOGGER.debug('Connection established for %s', self.pid)\n self._pool_manager.add(self.pid, connection)\n except (ValueError, pool.PoolException) as err:\n LOGGER.exception('Failed to add %r to the pool', self.pid)\n self._cleanup_fd(fd)\n future.set_exception(err)\n return\n self._pool_manager.lock(self.pid, connection, self)\n if utils.PYPY:\n connection.status = extensions.STATUS_READY\n self._register_unicode(connection)\n self._register_uuid(connection)\n future.set_result(connection)\n self._futures[fd] = concurrent.Future()\n self._ioloop.add_future(self._futures[fd], on_connected)\n self._ioloop.add_handler(connection.fileno(), self._on_io_events,\n ioloop.IOLoop.WRITE)\n",
"role": "user"
},
{
"content": "create_connection",
"role": "assistant"
}
] |
def x(self, method, query, parameters=None):
future = concurrent.Future()
def x(cf):
if cf.exception():
future.set_exception(cf.exception())
return
conn = cf.result()
cursor = self._get_cursor(conn)
def x(qf):
if qf.exception():
self._incr_exceptions(conn)
err = qf.exception()
LOGGER.debug('Cleaning cursor due to exception: %r', err)
self._exec_cleanup(cursor, conn.fileno())
future.set_exception(err)
else:
self._incr_executions(conn)
value = Results(cursor, self._exec_cleanup, conn.fileno())
future.set_result(value)
self._futures[conn.fileno()] = concurrent.Future()
self._ioloop.add_future(self._futures[conn.fileno()], completed)
func = getattr(cursor, method)
try:
func(query, parameters)
except Exception as error:
future.set_exception(error)
self._ensure_pool_exists()
self._ioloop.add_future(self._connect(), on_connected)
return future
| execute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, query, parameters=None):\n future = concurrent.Future()\n\n def x(cf):\n if cf.exception():\n future.set_exception(cf.exception())\n return\n conn = cf.result()\n cursor = self._get_cursor(conn)\n\n def x(qf):\n if qf.exception():\n self._incr_exceptions(conn)\n err = qf.exception()\n LOGGER.debug('Cleaning cursor due to exception: %r', err)\n self._exec_cleanup(cursor, conn.fileno())\n future.set_exception(err)\n else:\n self._incr_executions(conn)\n value = Results(cursor, self._exec_cleanup, conn.fileno())\n future.set_result(value)\n self._futures[conn.fileno()] = concurrent.Future()\n self._ioloop.add_future(self._futures[conn.fileno()], completed)\n func = getattr(cursor, method)\n try:\n func(query, parameters)\n except Exception as error:\n future.set_exception(error)\n self._ensure_pool_exists()\n self._ioloop.add_future(self._connect(), on_connected)\n return future\n",
"role": "user"
},
{
"content": "execute",
"role": "assistant"
}
] |
def x(self, cursor, fd):
LOGGER.debug('Closing cursor and cleaning %s', fd)
try:
cursor.close()
except (psycopg2.Error, psycopg2.Warning) as error:
LOGGER.debug('Error closing the cursor: %s', error)
self._cleanup_fd(fd)
if self._cleanup_callback:
self._ioloop.remove_timeout(self._cleanup_callback)
self._cleanup_callback = self._ioloop.add_timeout(self._ioloop.time() +
self._pool_idle_ttl + 1, self._pool_manager.clean, self.pid)
| exec_cleanup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cursor, fd):\n LOGGER.debug('Closing cursor and cleaning %s', fd)\n try:\n cursor.close()\n except (psycopg2.Error, psycopg2.Warning) as error:\n LOGGER.debug('Error closing the cursor: %s', error)\n self._cleanup_fd(fd)\n if self._cleanup_callback:\n self._ioloop.remove_timeout(self._cleanup_callback)\n self._cleanup_callback = self._ioloop.add_timeout(self._ioloop.time() +\n self._pool_idle_ttl + 1, self._pool_manager.clean, self.pid)\n",
"role": "user"
},
{
"content": "exec_cleanup",
"role": "assistant"
}
] |
def x(self, fd, close=False):
self._ioloop.remove_handler(fd)
if fd in self._connections:
try:
self._pool_manager.free(self.pid, self._connections[fd])
except pool.ConnectionNotFoundError:
pass
if close:
self._connections[fd].close()
del self._connections[fd]
if fd in self._futures:
del self._futures[fd]
| cleanup_fd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fd, close=False):\n self._ioloop.remove_handler(fd)\n if fd in self._connections:\n try:\n self._pool_manager.free(self.pid, self._connections[fd])\n except pool.ConnectionNotFoundError:\n pass\n if close:\n self._connections[fd].close()\n del self._connections[fd]\n if fd in self._futures:\n del self._futures[fd]\n",
"role": "user"
},
{
"content": "cleanup_fd",
"role": "assistant"
}
] |
def x(self, conn):
self._pool_manager.get_connection(self.pid, conn).exceptions += 1
| incr_exceptions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, conn):\n self._pool_manager.get_connection(self.pid, conn).exceptions += 1\n",
"role": "user"
},
{
"content": "incr_exceptions",
"role": "assistant"
}
] |
def x(self, conn):
self._pool_manager.get_connection(self.pid, conn).executions += 1
| incr_executions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, conn):\n self._pool_manager.get_connection(self.pid, conn).executions += 1\n",
"role": "user"
},
{
"content": "incr_executions",
"role": "assistant"
}
] |
def x(self, fd=None, _events=None):
if fd not in self._connections:
LOGGER.warning('Received IO event for non-existing connection')
return
self._poll_connection(fd)
| on_io_events | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fd=None, _events=None):\n if fd not in self._connections:\n LOGGER.warning('Received IO event for non-existing connection')\n return\n self._poll_connection(fd)\n",
"role": "user"
},
{
"content": "on_io_events",
"role": "assistant"
}
] |
def x(self, fd):
try:
state = self._connections[fd].poll()
except (OSError, socket.error) as error:
self._ioloop.remove_handler(fd)
if fd in self._futures and not self._futures[fd].done():
self._futures[fd].set_exception(psycopg2.OperationalError(
'Connection error (%s)' % error))
except (psycopg2.Error, psycopg2.Warning) as error:
if fd in self._futures and not self._futures[fd].done():
self._futures[fd].set_exception(error)
else:
if state == extensions.POLL_OK:
if fd in self._futures and not self._futures[fd].done():
self._futures[fd].set_result(True)
elif state == extensions.POLL_WRITE:
self._ioloop.update_handler(fd, ioloop.IOLoop.WRITE)
elif state == extensions.POLL_READ:
self._ioloop.update_handler(fd, ioloop.IOLoop.READ)
elif state == extensions.POLL_ERROR:
self._ioloop.remove_handler(fd)
if fd in self._futures and not self._futures[fd].done():
self._futures[fd].set_exception(psycopg2.Error('Poll Error'))
| poll_connection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fd):\n try:\n state = self._connections[fd].poll()\n except (OSError, socket.error) as error:\n self._ioloop.remove_handler(fd)\n if fd in self._futures and not self._futures[fd].done():\n self._futures[fd].set_exception(psycopg2.OperationalError(\n 'Connection error (%s)' % error))\n except (psycopg2.Error, psycopg2.Warning) as error:\n if fd in self._futures and not self._futures[fd].done():\n self._futures[fd].set_exception(error)\n else:\n if state == extensions.POLL_OK:\n if fd in self._futures and not self._futures[fd].done():\n self._futures[fd].set_result(True)\n elif state == extensions.POLL_WRITE:\n self._ioloop.update_handler(fd, ioloop.IOLoop.WRITE)\n elif state == extensions.POLL_READ:\n self._ioloop.update_handler(fd, ioloop.IOLoop.READ)\n elif state == extensions.POLL_ERROR:\n self._ioloop.remove_handler(fd)\n if fd in self._futures and not self._futures[fd].done():\n self._futures[fd].set_exception(psycopg2.Error('Poll Error'))\n",
"role": "user"
},
{
"content": "poll_connection",
"role": "assistant"
}
] |
def x():
import codecs
setuptools.setup(name='wcwidth', version='0.1.7', description=
'Measures number of Terminal column cells of wide-character codes',
long_description=codecs.open(os.path.join(HERE, 'README.rst'), 'r',
'utf8').read(), author='Jeff Quast', author_email=
'contact@jeffquast.com', license='MIT', packages=['wcwidth',
'wcwidth.tests'], url='https://github.com/jquast/wcwidth',
include_package_data=True, test_suite='wcwidth.tests', zip_safe=
True, classifiers=['Intended Audience :: Developers',
'Natural Language :: English', 'Development Status :: 3 - Alpha',
'Environment :: Console', 'License :: OSI Approved :: MIT License',
'Operating System :: POSIX',
'Programming Language :: Python :: 2.7',
'Programming Language :: Python :: 3.4',
'Programming Language :: Python :: 3.5',
'Topic :: Software Development :: Libraries',
'Topic :: Software Development :: Localization',
'Topic :: Software Development :: Internationalization',
'Topic :: Terminals'], keywords=['terminal', 'emulator', 'wcwidth',
'wcswidth', 'cjk', 'combining', 'xterm', 'console'], cmdclass={
'update': SetupUpdate})
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n import codecs\n setuptools.setup(name='wcwidth', version='0.1.7', description=\n 'Measures number of Terminal column cells of wide-character codes',\n long_description=codecs.open(os.path.join(HERE, 'README.rst'), 'r',\n 'utf8').read(), author='Jeff Quast', author_email=\n 'contact@jeffquast.com', license='MIT', packages=['wcwidth',\n 'wcwidth.tests'], url='https://github.com/jquast/wcwidth',\n include_package_data=True, test_suite='wcwidth.tests', zip_safe=\n True, classifiers=['Intended Audience :: Developers',\n 'Natural Language :: English', 'Development Status :: 3 - Alpha',\n 'Environment :: Console', 'License :: OSI Approved :: MIT License',\n 'Operating System :: POSIX',\n 'Programming Language :: Python :: 2.7',\n 'Programming Language :: Python :: 3.4',\n 'Programming Language :: Python :: 3.5',\n 'Topic :: Software Development :: Libraries',\n 'Topic :: Software Development :: Localization',\n 'Topic :: Software Development :: Internationalization',\n 'Topic :: Terminals'], keywords=['terminal', 'emulator', 'wcwidth',\n 'wcswidth', 'cjk', 'combining', 'xterm', 'console'], cmdclass={\n 'update': SetupUpdate})\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(self):
import codecs
import glob
data_in = codecs.open(os.path.join(HERE, 'README.rst'), 'r', 'utf8').read()
pos_begin = data_in.find(self.README_PATCH_FROM)
assert pos_begin != -1, (pos_begin, self.README_PATCH_FROM)
pos_begin += len(self.README_PATCH_FROM)
pos_end = data_in.find(self.README_PATCH_TO)
assert pos_end != -1, (pos_end, self.README_PATCH_TO)
glob_pattern = os.path.join(HERE, 'data', '*.txt')
file_descriptions = [self._describe_file_header(fpath) for fpath in
glob.glob(glob_pattern)]
data_out = data_in[:pos_begin] + '\n\n' + '\n'.join(file_descriptions
) + '\n\n' + data_in[pos_end:]
print('patching {} ..'.format(self.README_RST))
codecs.open(self.README_RST, 'w', 'utf8').write(data_out)
| do_readme_update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n import codecs\n import glob\n data_in = codecs.open(os.path.join(HERE, 'README.rst'), 'r', 'utf8').read()\n pos_begin = data_in.find(self.README_PATCH_FROM)\n assert pos_begin != -1, (pos_begin, self.README_PATCH_FROM)\n pos_begin += len(self.README_PATCH_FROM)\n pos_end = data_in.find(self.README_PATCH_TO)\n assert pos_end != -1, (pos_end, self.README_PATCH_TO)\n glob_pattern = os.path.join(HERE, 'data', '*.txt')\n file_descriptions = [self._describe_file_header(fpath) for fpath in\n glob.glob(glob_pattern)]\n data_out = data_in[:pos_begin] + '\\n\\n' + '\\n'.join(file_descriptions\n ) + '\\n\\n' + data_in[pos_end:]\n print('patching {} ..'.format(self.README_RST))\n codecs.open(self.README_RST, 'w', 'utf8').write(data_out)\n",
"role": "user"
},
{
"content": "do_readme_update",
"role": "assistant"
}
] |
def x(self):
self._do_retrieve(self.EAW_URL, self.EAW_IN)
version, date, values = self._parse_east_asian(fname=self.EAW_IN,
properties=(u'W', u'F'))
table = self._make_table(values)
self._do_write(self.EAW_OUT, 'WIDE_EASTASIAN', version, date, table)
| do_east_asian | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._do_retrieve(self.EAW_URL, self.EAW_IN)\n version, date, values = self._parse_east_asian(fname=self.EAW_IN,\n properties=(u'W', u'F'))\n table = self._make_table(values)\n self._do_write(self.EAW_OUT, 'WIDE_EASTASIAN', version, date, table)\n",
"role": "user"
},
{
"content": "do_east_asian",
"role": "assistant"
}
] |
def x(self):
self._do_retrieve(self.UCD_URL, self.UCD_IN)
version, date, values = self._parse_category(fname=self.UCD_IN,
categories=('Me', 'Mn'))
table = self._make_table(values)
self._do_write(self.ZERO_OUT, 'ZERO_WIDTH', version, date, table)
| do_zero_width | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._do_retrieve(self.UCD_URL, self.UCD_IN)\n version, date, values = self._parse_category(fname=self.UCD_IN,\n categories=('Me', 'Mn'))\n table = self._make_table(values)\n self._do_write(self.ZERO_OUT, 'ZERO_WIDTH', version, date, table)\n",
"role": "user"
},
{
"content": "do_zero_width",
"role": "assistant"
}
] |
def x(values):
import collections
table = collections.deque()
start, end = values[0], values[0]
for num, value in enumerate(values):
if num == 0:
table.append((value, value))
continue
start, end = table.pop()
if end == value - 1:
table.append((start, value))
else:
table.append((start, end))
table.append((value, value))
return tuple(table)
| make_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(values):\n import collections\n table = collections.deque()\n start, end = values[0], values[0]\n for num, value in enumerate(values):\n if num == 0:\n table.append((value, value))\n continue\n start, end = table.pop()\n if end == value - 1:\n table.append((start, value))\n else:\n table.append((start, end))\n table.append((value, value))\n return tuple(table)\n",
"role": "user"
},
{
"content": "make_table",
"role": "assistant"
}
] |
def x(url, fname):
folder = os.path.dirname(fname)
if not os.path.exists(folder):
os.makedirs(folder)
print('{}/ created.'.format(folder))
if not os.path.exists(fname):
with open(fname, 'wb') as fout:
print('retrieving {}.'.format(url))
resp = urlopen(url)
fout.write(resp.read())
print('{} saved.'.format(fname))
else:
print('re-using artifact {}'.format(fname))
return fname
| do_retrieve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, fname):\n folder = os.path.dirname(fname)\n if not os.path.exists(folder):\n os.makedirs(folder)\n print('{}/ created.'.format(folder))\n if not os.path.exists(fname):\n with open(fname, 'wb') as fout:\n print('retrieving {}.'.format(url))\n resp = urlopen(url)\n fout.write(resp.read())\n print('{} saved.'.format(fname))\n else:\n print('re-using artifact {}'.format(fname))\n return fname\n",
"role": "user"
},
{
"content": "do_retrieve",
"role": "assistant"
}
] |
def x(fname, properties=(u'W', u'F')):
version, date, values = None, None, []
print('parsing {} ..'.format(fname))
for line in open(fname, 'rb'):
uline = line.decode('utf-8')
if version is None:
version = uline.split(None, 1)[1].rstrip()
continue
elif date is None:
date = uline.split(':', 1)[1].rstrip()
continue
if uline.startswith('#') or not uline.lstrip():
continue
addrs, details = uline.split(';', 1)
if any(details.startswith(property) for property in properties):
start, stop = addrs, addrs
if '..' in addrs:
start, stop = addrs.split('..')
values.extend(range(int(start, 16), int(stop, 16) + 1))
return version, date, sorted(values)
| parse_east_asian | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fname, properties=(u'W', u'F')):\n version, date, values = None, None, []\n print('parsing {} ..'.format(fname))\n for line in open(fname, 'rb'):\n uline = line.decode('utf-8')\n if version is None:\n version = uline.split(None, 1)[1].rstrip()\n continue\n elif date is None:\n date = uline.split(':', 1)[1].rstrip()\n continue\n if uline.startswith('#') or not uline.lstrip():\n continue\n addrs, details = uline.split(';', 1)\n if any(details.startswith(property) for property in properties):\n start, stop = addrs, addrs\n if '..' in addrs:\n start, stop = addrs.split('..')\n values.extend(range(int(start, 16), int(stop, 16) + 1))\n return version, date, sorted(values)\n",
"role": "user"
},
{
"content": "parse_east_asian",
"role": "assistant"
}
] |
def x(fname, categories):
version, date, values = None, None, []
print('parsing {} ..'.format(fname))
for line in open(fname, 'rb'):
uline = line.decode('utf-8')
if version is None:
version = uline.split(None, 1)[1].rstrip()
continue
elif date is None:
date = uline.split(':', 1)[1].rstrip()
continue
if uline.startswith('#') or not uline.lstrip():
continue
addrs, details = uline.split(';', 1)
addrs, details = addrs.rstrip(), details.lstrip()
if any(details.startswith('{} #'.format(value)) for value in categories
):
start, stop = addrs, addrs
if '..' in addrs:
start, stop = addrs.split('..')
values.extend(range(int(start, 16), int(stop, 16) + 1))
return version, date, sorted(values)
| parse_category | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fname, categories):\n version, date, values = None, None, []\n print('parsing {} ..'.format(fname))\n for line in open(fname, 'rb'):\n uline = line.decode('utf-8')\n if version is None:\n version = uline.split(None, 1)[1].rstrip()\n continue\n elif date is None:\n date = uline.split(':', 1)[1].rstrip()\n continue\n if uline.startswith('#') or not uline.lstrip():\n continue\n addrs, details = uline.split(';', 1)\n addrs, details = addrs.rstrip(), details.lstrip()\n if any(details.startswith('{} #'.format(value)) for value in categories\n ):\n start, stop = addrs, addrs\n if '..' in addrs:\n start, stop = addrs.split('..')\n values.extend(range(int(start, 16), int(stop, 16) + 1))\n return version, date, sorted(values)\n",
"role": "user"
},
{
"content": "parse_category",
"role": "assistant"
}
] |
def x(fname, variable, version, date, table):
print('writing {} ..'.format(fname))
import unicodedata
import datetime
import string
utc_now = datetime.datetime.utcnow()
indent = 4
with open(fname, 'w') as fout:
fout.write(
"""""\"{variable_proper} table. Created by setup.py.""\"
# Generated: {iso_utc}
# Source: {version}
# Date: {date}
{variable} = ("""
.format(iso_utc=utc_now.isoformat(), version=version, date=date,
variable=variable, variable_proper=variable.title()))
for start, end in table:
ucs_start, ucs_end = unichr(start), unichr(end)
hex_start, hex_end = '0x{0:04x}'.format(start), '0x{0:04x}'.format(
end)
try:
name_start = string.capwords(unicodedata.name(ucs_start))
except ValueError:
name_start = u''
try:
name_end = string.capwords(unicodedata.name(ucs_end))
except ValueError:
name_end = u''
fout.write('\n' + ' ' * indent)
fout.write('({0}, {1},),'.format(hex_start, hex_end))
fout.write(' # {0:24s}..{1}'.format(name_start[:24].rstrip() or
'(nil)', name_end[:24].rstrip()))
fout.write('\n)\n')
print('complete.')
| do_write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fname, variable, version, date, table):\n print('writing {} ..'.format(fname))\n import unicodedata\n import datetime\n import string\n utc_now = datetime.datetime.utcnow()\n indent = 4\n with open(fname, 'w') as fout:\n fout.write(\n \"\"\"\"\"\\\"{variable_proper} table. Created by setup.py.\"\"\\\"\n# Generated: {iso_utc}\n# Source: {version}\n# Date: {date}\n{variable} = (\"\"\"\n .format(iso_utc=utc_now.isoformat(), version=version, date=date,\n variable=variable, variable_proper=variable.title()))\n for start, end in table:\n ucs_start, ucs_end = unichr(start), unichr(end)\n hex_start, hex_end = '0x{0:04x}'.format(start), '0x{0:04x}'.format(\n end)\n try:\n name_start = string.capwords(unicodedata.name(ucs_start))\n except ValueError:\n name_start = u''\n try:\n name_end = string.capwords(unicodedata.name(ucs_end))\n except ValueError:\n name_end = u''\n fout.write('\\n' + ' ' * indent)\n fout.write('({0}, {1},),'.format(hex_start, hex_end))\n fout.write(' # {0:24s}..{1}'.format(name_start[:24].rstrip() or\n '(nil)', name_end[:24].rstrip()))\n fout.write('\\n)\\n')\n print('complete.')\n",
"role": "user"
},
{
"content": "do_write",
"role": "assistant"
}
] |
def x(ucs, wcwidth_libc, wcwidth_local):
ucp = ucs.encode('unicode_escape')[2:].decode('ascii').upper().lstrip('0')
url = 'http://codepoints.net/U+{}'.format(ucp)
name = unicodedata.name(ucs)
return u'libc,ours={},{} [--o{}o--] name={} val={} {} '.format(wcwidth_libc
, wcwidth_local, ucs, name, ord(ucs), url)
| report_ucs_msg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ucs, wcwidth_libc, wcwidth_local):\n ucp = ucs.encode('unicode_escape')[2:].decode('ascii').upper().lstrip('0')\n url = 'http://codepoints.net/U+{}'.format(ucp)\n name = unicodedata.name(ucs)\n return u'libc,ours={},{} [--o{}o--] name={} val={} {} '.format(wcwidth_libc\n , wcwidth_local, ucs, name, ord(ucs), url)\n",
"role": "user"
},
{
"content": "report_ucs_msg",
"role": "assistant"
}
] |
def x(using_locale=('en_US', 'UTF-8')):
all_ucs = (ucs for ucs in [unichr(val) for val in range(sys.maxunicode)
] if is_named(ucs) and isnt_combining(ucs))
libc_name = ctypes.util.find_library('c')
if not libc_name:
raise ImportError("Can't find C library.")
libc = ctypes.cdll.LoadLibrary(libc_name)
libc.wcwidth.argtypes = [ctypes.c_wchar]
libc.wcwidth.restype = ctypes.c_int
assert getattr(libc, 'wcwidth', None) is not None
assert getattr(libc, 'wcswidth', None) is not None
locale.setlocale(locale.LC_ALL, using_locale)
for ucs in all_ucs:
try:
_is_equal_wcwidth(libc, ucs)
except AssertionError as err:
print(err)
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(using_locale=('en_US', 'UTF-8')):\n all_ucs = (ucs for ucs in [unichr(val) for val in range(sys.maxunicode)\n ] if is_named(ucs) and isnt_combining(ucs))\n libc_name = ctypes.util.find_library('c')\n if not libc_name:\n raise ImportError(\"Can't find C library.\")\n libc = ctypes.cdll.LoadLibrary(libc_name)\n libc.wcwidth.argtypes = [ctypes.c_wchar]\n libc.wcwidth.restype = ctypes.c_int\n assert getattr(libc, 'wcwidth', None) is not None\n assert getattr(libc, 'wcswidth', None) is not None\n locale.setlocale(locale.LC_ALL, using_locale)\n for ucs in all_ucs:\n try:\n _is_equal_wcwidth(libc, ucs)\n except AssertionError as err:\n print(err)\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(opts):
if opts['--wide'] is None:
opts['--wide'] = 2
else:
assert opts['--wide'] in ('1', '2'), opts['--wide']
if opts['--alignment'] is None:
opts['--alignment'] = 'left'
else:
assert opts['--alignment'] in ('left', 'right'), opts['--alignment']
opts['--wide'] = int(opts['--wide'])
opts['character_factory'] = WcWideCharacterGenerator
if opts['--combining']:
opts['character_factory'] = WcCombinedCharacterGenerator
return opts
| validate_args | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(opts):\n if opts['--wide'] is None:\n opts['--wide'] = 2\n else:\n assert opts['--wide'] in ('1', '2'), opts['--wide']\n if opts['--alignment'] is None:\n opts['--alignment'] = 'left'\n else:\n assert opts['--alignment'] in ('left', 'right'), opts['--alignment']\n opts['--wide'] = int(opts['--wide'])\n opts['character_factory'] = WcWideCharacterGenerator\n if opts['--combining']:\n opts['character_factory'] = WcCombinedCharacterGenerator\n return opts\n",
"role": "user"
},
{
"content": "validate_args",
"role": "assistant"
}
] |
def x(opts):
term = Terminal()
style = Style()
if term.number_of_colors:
style = Style(attr_major=term.magenta, attr_minor=term.bright_cyan,
alignment=opts['--alignment'])
style.name_len = term.width - 15
screen = Screen(term, style, wide=opts['--wide'])
pager = Pager(term, screen, opts['character_factory'])
with term.location(), term.cbreak(), term.fullscreen(), term.hidden_cursor(
):
pager.run(writer=echo, reader=term.inkey)
return 0
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(opts):\n term = Terminal()\n style = Style()\n if term.number_of_colors:\n style = Style(attr_major=term.magenta, attr_minor=term.bright_cyan,\n alignment=opts['--alignment'])\n style.name_len = term.width - 15\n screen = Screen(term, style, wide=opts['--wide'])\n pager = Pager(term, screen, opts['character_factory'])\n with term.location(), term.cbreak(), term.fullscreen(), term.hidden_cursor(\n ):\n pager.run(writer=echo, reader=term.inkey)\n return 0\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(self):
return sum((len(self.style.delimiter), self.wide, len(self.style.
delimiter), len(u' '), UCS_PRINTLEN + 2, len(u' '), self.style.
name_len))
| hint_width | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return sum((len(self.style.delimiter), self.wide, len(self.style.\n delimiter), len(u' '), UCS_PRINTLEN + 2, len(u' '), self.style.\n name_len))\n",
"role": "user"
},
{
"content": "hint_width",
"role": "assistant"
}
] |
def x(self):
delimiter = self.style.attr_minor(self.style.delimiter)
hint = self.style.header_hint * self.wide
heading = u'{delimiter}{hint}{delimiter}'.format(delimiter=delimiter,
hint=hint)
alignment = lambda *args: self.term.rjust(*args
) if self.style.alignment == 'right' else self.term.ljust(*args)
txt = alignment(heading, self.hint_width, self.style.header_fill)
return self.style.attr_major(txt)
| head_item | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n delimiter = self.style.attr_minor(self.style.delimiter)\n hint = self.style.header_hint * self.wide\n heading = u'{delimiter}{hint}{delimiter}'.format(delimiter=delimiter,\n hint=hint)\n alignment = lambda *args: self.term.rjust(*args\n ) if self.style.alignment == 'right' else self.term.ljust(*args)\n txt = alignment(heading, self.hint_width, self.style.header_fill)\n return self.style.attr_major(txt)\n",
"role": "user"
},
{
"content": "head_item",
"role": "assistant"
}
] |
def x(self):
delim = self.style.attr_minor(self.style.delimiter)
txt = self.intro_msg_fmt.format(delim=delim).rstrip()
return self.term.center(txt)
| msg_intro | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n delim = self.style.attr_minor(self.style.delimiter)\n txt = self.intro_msg_fmt.format(delim=delim).rstrip()\n return self.term.center(txt)\n",
"role": "user"
},
{
"content": "msg_intro",
"role": "assistant"
}
] |
def x(self):
if self.term.is_a_tty:
return self.term.width // self.hint_width
return 1
| num_columns | [
{
"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.term.is_a_tty:\n return self.term.width // self.hint_width\n return 1\n",
"role": "user"
},
{
"content": "num_columns",
"role": "assistant"
}
] |
def x(self, *args):
self.screen.style.name_len = min(self.screen.style.name_len, self.term.
width - 15)
assert self.term.width >= self.screen.hint_width, 'Screen to small {}, must be at least {}'.format(
self.term.width, self.screen.hint_width)
self._set_lastpage()
self.dirty = self.STATE_REFRESH
| on_resize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args):\n self.screen.style.name_len = min(self.screen.style.name_len, self.term.\n width - 15)\n assert self.term.width >= self.screen.hint_width, 'Screen to small {}, must be at least {}'.format(\n self.term.width, self.screen.hint_width)\n self._set_lastpage()\n self.dirty = self.STATE_REFRESH\n",
"role": "user"
},
{
"content": "on_resize",
"role": "assistant"
}
] |
def x(self):
self.last_page = (len(self._page_data) - 1) // self.screen.page_size
| set_lastpage | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.last_page = (len(self._page_data) - 1) // self.screen.page_size\n",
"role": "user"
},
{
"content": "set_lastpage",
"role": "assistant"
}
] |
def x(self):
echo(self.term.home + self.term.clear)
echo(self.term.move_y(self.term.height // 2))
echo(self.term.center('Initializing page data ...').rstrip())
flushout()
if LIMIT_UCS == 65536:
echo('\n\n')
echo(self.term.blink_red(self.term.center(
'narrow Python build: upperbound value is {n}.'.format(n=
LIMIT_UCS)).rstrip()))
echo('\n\n')
flushout()
| display_initialize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n echo(self.term.home + self.term.clear)\n echo(self.term.move_y(self.term.height // 2))\n echo(self.term.center('Initializing page data ...').rstrip())\n flushout()\n if LIMIT_UCS == 65536:\n echo('\\n\\n')\n echo(self.term.blink_red(self.term.center(\n 'narrow Python build: upperbound value is {n}.'.format(n=\n LIMIT_UCS)).rstrip()))\n echo('\\n\\n')\n flushout()\n",
"role": "user"
},
{
"content": "display_initialize",
"role": "assistant"
}
] |
def x(self):
if self.term.is_a_tty:
self.display_initialize()
self.character_generator = self.character_factory(self.screen.wide)
page_data = list()
while True:
try:
page_data.append(next(self.character_generator))
except StopIteration:
break
if LIMIT_UCS == 65536:
echo(self.term.center('press any key.').rstrip())
flushout()
self.term.inkey(timeout=None)
return page_data
| initialize_page_data | [
{
"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.term.is_a_tty:\n self.display_initialize()\n self.character_generator = self.character_factory(self.screen.wide)\n page_data = list()\n while True:\n try:\n page_data.append(next(self.character_generator))\n except StopIteration:\n break\n if LIMIT_UCS == 65536:\n echo(self.term.center('press any key.').rstrip())\n flushout()\n self.term.inkey(timeout=None)\n return page_data\n",
"role": "user"
},
{
"content": "initialize_page_data",
"role": "assistant"
}
] |
def x(self, idx, offset):
size = self.screen.page_size
while offset < 0 and idx:
offset += size
idx -= 1
offset = max(0, offset)
while offset >= size:
offset -= size
idx += 1
if idx == self.last_page:
offset = 0
idx = min(max(0, idx), self.last_page)
start = idx * self.screen.page_size + offset
end = start + self.screen.page_size
return (idx, offset), self._page_data[start:end]
| page_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, idx, offset):\n size = self.screen.page_size\n while offset < 0 and idx:\n offset += size\n idx -= 1\n offset = max(0, offset)\n while offset >= size:\n offset -= size\n idx += 1\n if idx == self.last_page:\n offset = 0\n idx = min(max(0, idx), self.last_page)\n start = idx * self.screen.page_size + offset\n end = start + self.screen.page_size\n return (idx, offset), self._page_data[start:end]\n",
"role": "user"
},
{
"content": "page_data",
"role": "assistant"
}
] |
def x(self, writer):
page_idx = page_offset = 0
while True:
npage_idx, _ = self.draw(writer, page_idx + 1, page_offset)
if npage_idx == self.last_page:
break
page_idx = npage_idx
self.dirty = self.STATE_DIRTY
return
| run_notty | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, writer):\n page_idx = page_offset = 0\n while True:\n npage_idx, _ = self.draw(writer, page_idx + 1, page_offset)\n if npage_idx == self.last_page:\n break\n page_idx = npage_idx\n self.dirty = self.STATE_DIRTY\n return\n",
"role": "user"
},
{
"content": "run_notty",
"role": "assistant"
}
] |
def x(self, writer, reader):
signal.signal(signal.SIGWINCH, self.on_resize)
page_idx = page_offset = 0
while True:
if self.dirty:
page_idx, page_offset = self.draw(writer, page_idx, page_offset)
self.dirty = self.STATE_CLEAN
inp = reader(timeout=0.25)
if inp is not None:
nxt, noff = self.process_keystroke(inp, page_idx, page_offset)
if not self.dirty:
self.dirty = nxt != page_idx or noff != page_offset
page_idx, page_offset = nxt, noff
if page_idx == -1:
return
| run_tty | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, writer, reader):\n signal.signal(signal.SIGWINCH, self.on_resize)\n page_idx = page_offset = 0\n while True:\n if self.dirty:\n page_idx, page_offset = self.draw(writer, page_idx, page_offset)\n self.dirty = self.STATE_CLEAN\n inp = reader(timeout=0.25)\n if inp is not None:\n nxt, noff = self.process_keystroke(inp, page_idx, page_offset)\n if not self.dirty:\n self.dirty = nxt != page_idx or noff != page_offset\n page_idx, page_offset = nxt, noff\n if page_idx == -1:\n return\n",
"role": "user"
},
{
"content": "run_tty",
"role": "assistant"
}
] |
def x(self, writer, reader):
self._page_data = self.initialize_page_data()
self._set_lastpage()
if not self.term.is_a_tty:
self._run_notty(writer)
else:
self._run_tty(writer, reader)
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, writer, reader):\n self._page_data = self.initialize_page_data()\n self._set_lastpage()\n if not self.term.is_a_tty:\n self._run_notty(writer)\n else:\n self._run_tty(writer, reader)\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self, inp, idx, offset):
if inp.lower() in (u'q', u'Q'):
return -1, -1
self._process_keystroke_commands(inp)
idx, offset = self._process_keystroke_movement(inp, idx, offset)
return idx, offset
| process_keystroke | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, inp, idx, offset):\n if inp.lower() in (u'q', u'Q'):\n return -1, -1\n self._process_keystroke_commands(inp)\n idx, offset = self._process_keystroke_movement(inp, idx, offset)\n return idx, offset\n",
"role": "user"
},
{
"content": "process_keystroke",
"role": "assistant"
}
] |
def x(self, inp):
if inp in (u'1', u'2'):
if int(inp) != self.screen.wide:
self.screen.wide = int(inp)
self.on_resize(None, None)
elif inp in (u'_', u'-'):
nlen = max(1, self.screen.style.name_len - 2)
if nlen != self.screen.style.name_len:
self.screen.style.name_len = nlen
self.on_resize(None, None)
elif inp in (u'+', u'='):
nlen = min(self.term.width - 8, self.screen.style.name_len + 2)
if nlen != self.screen.style.name_len:
self.screen.style.name_len = nlen
self.on_resize(None, None)
elif inp == u'2' and self.screen.wide != 2:
self.screen.wide = 2
self.on_resize(None, None)
| process_keystroke_commands | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, inp):\n if inp in (u'1', u'2'):\n if int(inp) != self.screen.wide:\n self.screen.wide = int(inp)\n self.on_resize(None, None)\n elif inp in (u'_', u'-'):\n nlen = max(1, self.screen.style.name_len - 2)\n if nlen != self.screen.style.name_len:\n self.screen.style.name_len = nlen\n self.on_resize(None, None)\n elif inp in (u'+', u'='):\n nlen = min(self.term.width - 8, self.screen.style.name_len + 2)\n if nlen != self.screen.style.name_len:\n self.screen.style.name_len = nlen\n self.on_resize(None, None)\n elif inp == u'2' and self.screen.wide != 2:\n self.screen.wide = 2\n self.on_resize(None, None)\n",
"role": "user"
},
{
"content": "process_keystroke_commands",
"role": "assistant"
}
] |
def x(self, inp, idx, offset):
term = self.term
if inp in (u'y', u'k') or inp.code in (term.KEY_UP,):
idx, offset = idx, offset - self.screen.num_columns
elif inp in (u'e', u'j') or inp.code in (term.KEY_ENTER, term.KEY_DOWN):
idx, offset = idx, offset + self.screen.num_columns
elif inp in (u'f', u' ') or inp.code in (term.KEY_PGDOWN,):
idx, offset = idx + 1, offset
elif inp == u'b' or inp.code in (term.KEY_PGUP,):
idx, offset = max(0, idx - 1), offset
elif inp.code in (term.KEY_SDOWN,):
idx, offset = max(0, idx + 10), offset
elif inp.code in (term.KEY_SUP,):
idx, offset = max(0, idx - 10), offset
elif inp.code == term.KEY_HOME:
idx, offset = 0, 0
elif inp.code == term.KEY_END:
idx, offset = self.last_page, 0
return idx, offset
| process_keystroke_movement | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, inp, idx, offset):\n term = self.term\n if inp in (u'y', u'k') or inp.code in (term.KEY_UP,):\n idx, offset = idx, offset - self.screen.num_columns\n elif inp in (u'e', u'j') or inp.code in (term.KEY_ENTER, term.KEY_DOWN):\n idx, offset = idx, offset + self.screen.num_columns\n elif inp in (u'f', u' ') or inp.code in (term.KEY_PGDOWN,):\n idx, offset = idx + 1, offset\n elif inp == u'b' or inp.code in (term.KEY_PGUP,):\n idx, offset = max(0, idx - 1), offset\n elif inp.code in (term.KEY_SDOWN,):\n idx, offset = max(0, idx + 10), offset\n elif inp.code in (term.KEY_SUP,):\n idx, offset = max(0, idx - 10), offset\n elif inp.code == term.KEY_HOME:\n idx, offset = 0, 0\n elif inp.code == term.KEY_END:\n idx, offset = self.last_page, 0\n return idx, offset\n",
"role": "user"
},
{
"content": "process_keystroke_movement",
"role": "assistant"
}
] |
def x(self, writer, idx, offset):
while self.dirty:
self.draw_heading(writer)
self.dirty = self.STATE_CLEAN
(idx, offset), data = self.page_data(idx, offset)
for txt in self.page_view(data):
writer(txt)
self.draw_status(writer, idx)
flushout()
return idx, offset
| draw | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, writer, idx, offset):\n while self.dirty:\n self.draw_heading(writer)\n self.dirty = self.STATE_CLEAN\n (idx, offset), data = self.page_data(idx, offset)\n for txt in self.page_view(data):\n writer(txt)\n self.draw_status(writer, idx)\n flushout()\n return idx, offset\n",
"role": "user"
},
{
"content": "draw",
"role": "assistant"
}
] |
def x(self, writer):
if self.dirty == self.STATE_REFRESH:
writer(u''.join((self.term.home, self.term.clear, self.screen.
msg_intro, '\n', self.screen.header, '\n')))
return True
| draw_heading | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, writer):\n if self.dirty == self.STATE_REFRESH:\n writer(u''.join((self.term.home, self.term.clear, self.screen.\n msg_intro, '\\n', self.screen.header, '\\n')))\n return True\n",
"role": "user"
},
{
"content": "draw_heading",
"role": "assistant"
}
] |
def x(self, writer, idx):
if self.term.is_a_tty:
writer(self.term.hide_cursor())
style = self.screen.style
writer(self.term.move(self.term.height - 1))
if idx == self.last_page:
last_end = u'(END)'
else:
last_end = u'/{0}'.format(self.last_page)
txt = u'Page {idx}{last_end} - {q} to quit, [keys: {keyset}]'.format(
idx=style.attr_minor(u'{0}'.format(idx)), last_end=style.
attr_major(last_end), keyset=style.attr_major('kjfb12-='), q=
style.attr_minor(u'q'))
writer(self.term.center(txt).rstrip())
| draw_status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, writer, idx):\n if self.term.is_a_tty:\n writer(self.term.hide_cursor())\n style = self.screen.style\n writer(self.term.move(self.term.height - 1))\n if idx == self.last_page:\n last_end = u'(END)'\n else:\n last_end = u'/{0}'.format(self.last_page)\n txt = u'Page {idx}{last_end} - {q} to quit, [keys: {keyset}]'.format(\n idx=style.attr_minor(u'{0}'.format(idx)), last_end=style.\n attr_major(last_end), keyset=style.attr_major('kjfb12-='), q=\n style.attr_minor(u'q'))\n writer(self.term.center(txt).rstrip())\n",
"role": "user"
},
{
"content": "draw_status",
"role": "assistant"
}
] |
def x(self, data):
if self.term.is_a_tty:
yield self.term.move(self.screen.row_begins, 0)
clear_eol = self.term.clear_eol
clear_eos = self.term.clear_eos
col = 0
for ucs, name in data:
val = self.text_entry(ucs, name)
col += 1
if col == self.screen.num_columns:
col = 0
if self.term.is_a_tty:
val = u''.join((val, clear_eol, u'\n'))
else:
val = u''.join((val.rstrip(), u'\n'))
yield val
if self.term.is_a_tty:
yield u''.join((clear_eol, u'\n', clear_eos))
| page_view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n if self.term.is_a_tty:\n yield self.term.move(self.screen.row_begins, 0)\n clear_eol = self.term.clear_eol\n clear_eos = self.term.clear_eos\n col = 0\n for ucs, name in data:\n val = self.text_entry(ucs, name)\n col += 1\n if col == self.screen.num_columns:\n col = 0\n if self.term.is_a_tty:\n val = u''.join((val, clear_eol, u'\\n'))\n else:\n val = u''.join((val.rstrip(), u'\\n'))\n yield val\n if self.term.is_a_tty:\n yield u''.join((clear_eol, u'\\n', clear_eos))\n",
"role": "user"
},
{
"content": "page_view",
"role": "assistant"
}
] |
def x(self, ucs, name):
style = self.screen.style
if len(name) > style.name_len:
idx = max(0, style.name_len - len(style.continuation))
name = u''.join((name[:idx], style.continuation if idx else u''))
if style.alignment == 'right':
fmt = u' '.join(('0x{val:0>{ucs_printlen}x}', '{name:<{name_len}s}',
'{delimiter}{ucs}{delimiter}'))
else:
fmt = u' '.join(('{delimiter}{ucs}{delimiter}',
'0x{val:0>{ucs_printlen}x}', '{name:<{name_len}s}'))
delimiter = style.attr_minor(style.delimiter)
if len(ucs) != 1:
val = ord(ucs[1])
disp_ucs = style.attr_major(ucs[0:2])
if len(ucs) > 2:
disp_ucs += ucs[2]
else:
val = ord(ucs)
disp_ucs = style.attr_major(ucs)
return fmt.format(name_len=style.name_len, ucs_printlen=UCS_PRINTLEN,
delimiter=delimiter, name=name, ucs=disp_ucs, val=val)
| text_entry | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ucs, name):\n style = self.screen.style\n if len(name) > style.name_len:\n idx = max(0, style.name_len - len(style.continuation))\n name = u''.join((name[:idx], style.continuation if idx else u''))\n if style.alignment == 'right':\n fmt = u' '.join(('0x{val:0>{ucs_printlen}x}', '{name:<{name_len}s}',\n '{delimiter}{ucs}{delimiter}'))\n else:\n fmt = u' '.join(('{delimiter}{ucs}{delimiter}',\n '0x{val:0>{ucs_printlen}x}', '{name:<{name_len}s}'))\n delimiter = style.attr_minor(style.delimiter)\n if len(ucs) != 1:\n val = ord(ucs[1])\n disp_ucs = style.attr_major(ucs[0:2])\n if len(ucs) > 2:\n disp_ucs += ucs[2]\n else:\n val = ord(ucs)\n disp_ucs = style.attr_major(ucs)\n return fmt.format(name_len=style.name_len, ucs_printlen=UCS_PRINTLEN,\n delimiter=delimiter, name=name, ucs=disp_ucs, val=val)\n",
"role": "user"
},
{
"content": "text_entry",
"role": "assistant"
}
] |
def x(cmd, ret_err=False, as_str=True, raise_err=None):
if raise_err is None:
raise_err = False if ret_err else True
cmd_is_seq = isinstance(cmd, (list, tuple))
proc = Popen(cmd, stdout=PIPE, stderr=PIPE, shell=not cmd_is_seq)
out, err = proc.communicate()
retcode = proc.returncode
cmd_str = ' '.join(cmd) if cmd_is_seq else cmd
if retcode is None:
proc.terminate()
raise RuntimeError(cmd_str + ' process did not terminate')
if raise_err and retcode != 0:
raise RuntimeError('{0} returned code {1} with error {2}'.format(
cmd_str, retcode, err.decode('latin-1')))
out = out.strip()
if as_str:
out = out.decode('latin-1')
if not ret_err:
return out
err = err.strip()
if as_str:
err = err.decode('latin-1')
return out, err
| back_tick | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cmd, ret_err=False, as_str=True, raise_err=None):\n if raise_err is None:\n raise_err = False if ret_err else True\n cmd_is_seq = isinstance(cmd, (list, tuple))\n proc = Popen(cmd, stdout=PIPE, stderr=PIPE, shell=not cmd_is_seq)\n out, err = proc.communicate()\n retcode = proc.returncode\n cmd_str = ' '.join(cmd) if cmd_is_seq else cmd\n if retcode is None:\n proc.terminate()\n raise RuntimeError(cmd_str + ' process did not terminate')\n if raise_err and retcode != 0:\n raise RuntimeError('{0} returned code {1} with error {2}'.format(\n cmd_str, retcode, err.decode('latin-1')))\n out = out.strip()\n if as_str:\n out = out.decode('latin-1')\n if not ret_err:\n return out\n err = err.strip()\n if as_str:\n err = err.decode('latin-1')\n return out, err\n",
"role": "user"
},
{
"content": "back_tick",
"role": "assistant"
}
] |
def x(sequence):
uniques = []
for element in sequence:
if element not in uniques:
uniques.append(element)
return uniques
| unique_by_index | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sequence):\n uniques = []\n for element in sequence:\n if element not in uniques:\n uniques.append(element)\n return uniques\n",
"role": "user"
},
{
"content": "unique_by_index",
"role": "assistant"
}
] |
def x(mode_flags=stat.S_IWUSR):
def x(f):
def x(filename, *args, **kwargs):
m = chmod_perms(filename) if exists(filename) else mode_flags
if not m & mode_flags:
os.chmod(filename, m | mode_flags)
try:
return f(filename, *args, **kwargs)
finally:
if not m & mode_flags:
os.chmod(filename, m)
return modify
return decorator
| ensure_permissions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mode_flags=stat.S_IWUSR):\n\n def x(f):\n\n def x(filename, *args, **kwargs):\n m = chmod_perms(filename) if exists(filename) else mode_flags\n if not m & mode_flags:\n os.chmod(filename, m | mode_flags)\n try:\n return f(filename, *args, **kwargs)\n finally:\n if not m & mode_flags:\n os.chmod(filename, m)\n return modify\n return decorator\n",
"role": "user"
},
{
"content": "ensure_permissions",
"role": "assistant"
}
] |
def x(filename):
lines = _cmd_out_err(['otool', '-L', filename])
if not _line0_says_object(lines[0], filename):
return ()
names = tuple(parse_install_name(line)[0] for line in lines[1:])
install_id = get_install_id(filename)
if not install_id is None:
assert names[0] == install_id
return names[1:]
return names
| get_install_names | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n lines = _cmd_out_err(['otool', '-L', filename])\n if not _line0_says_object(lines[0], filename):\n return ()\n names = tuple(parse_install_name(line)[0] for line in lines[1:])\n install_id = get_install_id(filename)\n if not install_id is None:\n assert names[0] == install_id\n return names[1:]\n return names\n",
"role": "user"
},
{
"content": "get_install_names",
"role": "assistant"
}
] |
def x(filename):
lines = _cmd_out_err(['otool', '-D', filename])
if not _line0_says_object(lines[0], filename):
return None
if len(lines) == 1:
return None
if len(lines) != 2:
raise InstallNameError('Unexpected otool output ' + '\n'.join(lines))
return lines[1].strip()
| get_install_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n lines = _cmd_out_err(['otool', '-D', filename])\n if not _line0_says_object(lines[0], filename):\n return None\n if len(lines) == 1:\n return None\n if len(lines) != 2:\n raise InstallNameError('Unexpected otool output ' + '\\n'.join(lines))\n return lines[1].strip()\n",
"role": "user"
},
{
"content": "get_install_id",
"role": "assistant"
}
] |
def x(filename, oldname, newname):
names = get_install_names(filename)
if oldname not in names:
raise InstallNameError('{0} not in install names for {1}'.format(
oldname, filename))
back_tick(['install_name_tool', '-change', oldname, newname, filename])
| set_install_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, oldname, newname):\n names = get_install_names(filename)\n if oldname not in names:\n raise InstallNameError('{0} not in install names for {1}'.format(\n oldname, filename))\n back_tick(['install_name_tool', '-change', oldname, newname, filename])\n",
"role": "user"
},
{
"content": "set_install_name",
"role": "assistant"
}
] |
def x(filename, install_id):
if get_install_id(filename) is None:
raise InstallNameError('{0} has no install id'.format(filename))
back_tick(['install_name_tool', '-id', install_id, filename])
| set_install_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, install_id):\n if get_install_id(filename) is None:\n raise InstallNameError('{0} has no install id'.format(filename))\n back_tick(['install_name_tool', '-id', install_id, filename])\n",
"role": "user"
},
{
"content": "set_install_id",
"role": "assistant"
}
] |
def x(filename):
try:
lines = _cmd_out_err(['otool', '-l', filename])
except RuntimeError:
return ()
if not _line0_says_object(lines[0], filename):
return ()
lines = [line.strip() for line in lines]
paths = []
line_no = 1
while line_no < len(lines):
line = lines[line_no]
line_no += 1
if line != 'cmd LC_RPATH':
continue
cmdsize, path = lines[line_no:line_no + 2]
assert cmdsize.startswith('cmdsize ')
paths.append(RPATH_RE.match(path).groups()[0])
line_no += 2
return tuple(paths)
| get_rpaths | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n try:\n lines = _cmd_out_err(['otool', '-l', filename])\n except RuntimeError:\n return ()\n if not _line0_says_object(lines[0], filename):\n return ()\n lines = [line.strip() for line in lines]\n paths = []\n line_no = 1\n while line_no < len(lines):\n line = lines[line_no]\n line_no += 1\n if line != 'cmd LC_RPATH':\n continue\n cmdsize, path = lines[line_no:line_no + 2]\n assert cmdsize.startswith('cmdsize ')\n paths.append(RPATH_RE.match(path).groups()[0])\n line_no += 2\n return tuple(paths)\n",
"role": "user"
},
{
"content": "get_rpaths",
"role": "assistant"
}
] |
def x(in_dir, zip_fname):
z = zipfile.ZipFile(zip_fname, 'w', compression=zipfile.ZIP_DEFLATED)
for root, dirs, files in os.walk(in_dir):
for file in files:
in_fname = pjoin(root, file)
in_stat = os.stat(in_fname)
info = zipfile.ZipInfo(in_fname)
info.filename = relpath(in_fname, in_dir)
if os.path.sep == '\\':
info.filename = relpath(in_fname, in_dir).replace('\\', '/')
info.date_time = time.localtime(in_stat.st_mtime)
perms = stat.S_IMODE(in_stat.st_mode) | stat.S_IFREG
info.external_attr = perms << 16
with open_readable(in_fname, 'rb') as fobj:
contents = fobj.read()
z.writestr(info, contents, zipfile.ZIP_DEFLATED)
z.close()
| dir2zip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(in_dir, zip_fname):\n z = zipfile.ZipFile(zip_fname, 'w', compression=zipfile.ZIP_DEFLATED)\n for root, dirs, files in os.walk(in_dir):\n for file in files:\n in_fname = pjoin(root, file)\n in_stat = os.stat(in_fname)\n info = zipfile.ZipInfo(in_fname)\n info.filename = relpath(in_fname, in_dir)\n if os.path.sep == '\\\\':\n info.filename = relpath(in_fname, in_dir).replace('\\\\', '/')\n info.date_time = time.localtime(in_stat.st_mtime)\n perms = stat.S_IMODE(in_stat.st_mode) | stat.S_IFREG\n info.external_attr = perms << 16\n with open_readable(in_fname, 'rb') as fobj:\n contents = fobj.read()\n z.writestr(info, contents, zipfile.ZIP_DEFLATED)\n z.close()\n",
"role": "user"
},
{
"content": "dir2zip",
"role": "assistant"
}
] |
def x(root_path):
package_sdirs = set()
for entry in os.listdir(root_path):
fname = entry if root_path == '.' else pjoin(root_path, entry)
if isdir(fname) and exists(pjoin(fname, '__init__.py')):
package_sdirs.add(fname)
return package_sdirs
| find_package_dirs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(root_path):\n package_sdirs = set()\n for entry in os.listdir(root_path):\n fname = entry if root_path == '.' else pjoin(root_path, entry)\n if isdir(fname) and exists(pjoin(fname, '__init__.py')):\n package_sdirs.add(fname)\n return package_sdirs\n",
"role": "user"
},
{
"content": "find_package_dirs",
"role": "assistant"
}
] |
def x(filename1, filename2):
with open_readable(filename1, 'rb') as fobj:
contents1 = fobj.read()
with open_readable(filename2, 'rb') as fobj:
contents2 = fobj.read()
return contents1 == contents2
| cmp_contents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename1, filename2):\n with open_readable(filename1, 'rb') as fobj:\n contents1 = fobj.read()\n with open_readable(filename2, 'rb') as fobj:\n contents2 = fobj.read()\n return contents1 == contents2\n",
"role": "user"
},
{
"content": "cmp_contents",
"role": "assistant"
}
] |
def x(libname):
if not exists(libname):
raise RuntimeError(libname + ' is not a file')
try:
stdout = back_tick(['lipo', '-info', libname])
except RuntimeError:
return frozenset()
lines = [line.strip() for line in stdout.split('\n') if line.strip()]
if lines[0] == 'input file {0} is not a fat file'.format(libname):
line = lines[1]
else:
assert len(lines) == 1
line = lines[0]
for reggie in ('Non-fat file: {0} is architecture: (.*)'.format(libname
), 'Architectures in the fat file: {0} are: (.*)'.format(libname)):
reggie = re.compile(reggie)
match = reggie.match(line)
if not match is None:
return frozenset(match.groups()[0].split(' '))
raise ValueError("Unexpected output: '{0}' for {1}".format(stdout, libname)
)
| get_archs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(libname):\n if not exists(libname):\n raise RuntimeError(libname + ' is not a file')\n try:\n stdout = back_tick(['lipo', '-info', libname])\n except RuntimeError:\n return frozenset()\n lines = [line.strip() for line in stdout.split('\\n') if line.strip()]\n if lines[0] == 'input file {0} is not a fat file'.format(libname):\n line = lines[1]\n else:\n assert len(lines) == 1\n line = lines[0]\n for reggie in ('Non-fat file: {0} is architecture: (.*)'.format(libname\n ), 'Architectures in the fat file: {0} are: (.*)'.format(libname)):\n reggie = re.compile(reggie)\n match = reggie.match(line)\n if not match is None:\n return frozenset(match.groups()[0].split(' '))\n raise ValueError(\"Unexpected output: '{0}' for {1}\".format(stdout, libname)\n )\n",
"role": "user"
},
{
"content": "get_archs",
"role": "assistant"
}
] |
def x(filename):
out, err = back_tick(['codesign', '--verify', filename], ret_err=True,
as_str=True, raise_err=False)
if not err:
return
if 'code object is not signed at all' in err:
return
replace_signature(filename, '-')
| validate_signature | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n out, err = back_tick(['codesign', '--verify', filename], ret_err=True,\n as_str=True, raise_err=False)\n if not err:\n return\n if 'code object is not signed at all' in err:\n return\n replace_signature(filename, '-')\n",
"role": "user"
},
{
"content": "validate_signature",
"role": "assistant"
}
] |
def x(path, start=os.path.curdir):
if not path:
raise ValueError('no path specified')
start_list = [x for x in os.path.abspath(start).split(os.path.sep) if x]
path_list = [x for x in os.path.abspath(path).split(os.path.sep) if x]
i = len(os.path.commonprefix([start_list, path_list]))
rel_list = [os.path.pardir] * (len(start_list) - i) + path_list[i:]
if not rel_list:
return os.path.curdir
return os.path.join(*rel_list)
| os_path_relpath | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, start=os.path.curdir):\n if not path:\n raise ValueError('no path specified')\n start_list = [x for x in os.path.abspath(start).split(os.path.sep) if x]\n path_list = [x for x in os.path.abspath(path).split(os.path.sep) if x]\n i = len(os.path.commonprefix([start_list, path_list]))\n rel_list = [os.path.pardir] * (len(start_list) - i) + path_list[i:]\n if not rel_list:\n return os.path.curdir\n return os.path.join(*rel_list)\n",
"role": "user"
},
{
"content": "os_path_relpath",
"role": "assistant"
}
] |
def x(to_tree, from_tree, lib_exts=('.so', '.dylib', '.a')):
for from_dirpath, dirnames, filenames in os.walk(from_tree):
to_dirpath = pjoin(to_tree, relpath(from_dirpath, from_tree))
for dirname in tuple(dirnames):
to_path = pjoin(to_dirpath, dirname)
if not exists(to_path):
from_path = pjoin(from_dirpath, dirname)
shutil.copytree(from_path, to_path)
dirnames.remove(dirname)
for fname in filenames:
root, ext = splitext(fname)
from_path = pjoin(from_dirpath, fname)
to_path = pjoin(to_dirpath, fname)
if not exists(to_path):
_copyfile(from_path, to_path)
elif cmp_contents(from_path, to_path):
pass
elif ext in lib_exts:
lipo_fuse(from_path, to_path, to_path)
else:
_copyfile(from_path, to_path)
| fuse_trees | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(to_tree, from_tree, lib_exts=('.so', '.dylib', '.a')):\n for from_dirpath, dirnames, filenames in os.walk(from_tree):\n to_dirpath = pjoin(to_tree, relpath(from_dirpath, from_tree))\n for dirname in tuple(dirnames):\n to_path = pjoin(to_dirpath, dirname)\n if not exists(to_path):\n from_path = pjoin(from_dirpath, dirname)\n shutil.copytree(from_path, to_path)\n dirnames.remove(dirname)\n for fname in filenames:\n root, ext = splitext(fname)\n from_path = pjoin(from_dirpath, fname)\n to_path = pjoin(to_dirpath, fname)\n if not exists(to_path):\n _copyfile(from_path, to_path)\n elif cmp_contents(from_path, to_path):\n pass\n elif ext in lib_exts:\n lipo_fuse(from_path, to_path, to_path)\n else:\n _copyfile(from_path, to_path)\n",
"role": "user"
},
{
"content": "fuse_trees",
"role": "assistant"
}
] |
def x(to_wheel, from_wheel, out_wheel):
to_wheel, from_wheel, out_wheel = [abspath(w) for w in (to_wheel,
from_wheel, out_wheel)]
with InTemporaryDirectory():
zip2dir(to_wheel, 'to_wheel')
zip2dir(from_wheel, 'from_wheel')
fuse_trees('to_wheel', 'from_wheel')
rewrite_record('to_wheel')
dir2zip('to_wheel', out_wheel)
| fuse_wheels | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(to_wheel, from_wheel, out_wheel):\n to_wheel, from_wheel, out_wheel = [abspath(w) for w in (to_wheel,\n from_wheel, out_wheel)]\n with InTemporaryDirectory():\n zip2dir(to_wheel, 'to_wheel')\n zip2dir(from_wheel, 'from_wheel')\n fuse_trees('to_wheel', 'from_wheel')\n rewrite_record('to_wheel')\n dir2zip('to_wheel', out_wheel)\n",
"role": "user"
},
{
"content": "fuse_wheels",
"role": "assistant"
}
] |
def x(lib_dict, lib_path, root_path):
copied_libs = {}
delocated_libs = set()
copied_basenames = set()
rp_root_path = realpath(root_path)
rp_lib_path = realpath(lib_path)
for required, requirings in lib_dict.items():
if required.startswith('@'):
warnings.warn(
'Not processing required path {0} because it begins with @'
.format(required))
continue
r_ed_base = basename(required)
if relpath(required, rp_root_path).startswith('..'):
if r_ed_base in copied_basenames:
raise DelocationError(
'Already planning to copy library with same basename as: '
+ r_ed_base)
if not exists(required):
raise DelocationError('library "{0}" does not exist'.format
(required))
copied_libs[required] = requirings
copied_basenames.add(r_ed_base)
else:
delocated_libs.add(required)
for required in copied_libs:
shutil.copy(required, lib_path)
for requiring, orig_install_name in lib_dict[required].items():
req_rel = relpath(rp_lib_path, dirname(requiring))
set_install_name(requiring, orig_install_name,
'@loader_path/{0}/{1}'.format(req_rel, basename(required)))
for required in delocated_libs:
for requiring, orig_install_name in lib_dict[required].items():
req_rel = relpath(required, dirname(requiring))
set_install_name(requiring, orig_install_name, '@loader_path/' +
req_rel)
return copied_libs
| delocate_tree_libs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lib_dict, lib_path, root_path):\n copied_libs = {}\n delocated_libs = set()\n copied_basenames = set()\n rp_root_path = realpath(root_path)\n rp_lib_path = realpath(lib_path)\n for required, requirings in lib_dict.items():\n if required.startswith('@'):\n warnings.warn(\n 'Not processing required path {0} because it begins with @'\n .format(required))\n continue\n r_ed_base = basename(required)\n if relpath(required, rp_root_path).startswith('..'):\n if r_ed_base in copied_basenames:\n raise DelocationError(\n 'Already planning to copy library with same basename as: '\n + r_ed_base)\n if not exists(required):\n raise DelocationError('library \"{0}\" does not exist'.format\n (required))\n copied_libs[required] = requirings\n copied_basenames.add(r_ed_base)\n else:\n delocated_libs.add(required)\n for required in copied_libs:\n shutil.copy(required, lib_path)\n for requiring, orig_install_name in lib_dict[required].items():\n req_rel = relpath(rp_lib_path, dirname(requiring))\n set_install_name(requiring, orig_install_name,\n '@loader_path/{0}/{1}'.format(req_rel, basename(required)))\n for required in delocated_libs:\n for requiring, orig_install_name in lib_dict[required].items():\n req_rel = relpath(required, dirname(requiring))\n set_install_name(requiring, orig_install_name, '@loader_path/' +\n req_rel)\n return copied_libs\n",
"role": "user"
},
{
"content": "delocate_tree_libs",
"role": "assistant"
}
] |
def x(lib_path, copy_filt_func=None, copied_libs=None):
if copied_libs is None:
copied_libs = {}
else:
copied_libs = dict(copied_libs)
done = False
while not done:
in_len = len(copied_libs)
_copy_required(lib_path, copy_filt_func, copied_libs)
done = len(copied_libs) == in_len
return copied_libs
| copy_recurse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lib_path, copy_filt_func=None, copied_libs=None):\n if copied_libs is None:\n copied_libs = {}\n else:\n copied_libs = dict(copied_libs)\n done = False\n while not done:\n in_len = len(copied_libs)\n _copy_required(lib_path, copy_filt_func, copied_libs)\n done = len(copied_libs) == in_len\n return copied_libs\n",
"role": "user"
},
{
"content": "copy_recurse",
"role": "assistant"
}
] |
def x(lib_path, copy_filt_func, copied_libs):
lib_dict = tree_libs(lib_path)
rp_lp = realpath(lib_path)
copied2orig = dict((pjoin(rp_lp, basename(c)), c) for c in copied_libs)
for required, requirings in lib_dict.items():
if not copy_filt_func is None and not copy_filt_func(required):
continue
if required.startswith('@'):
continue
procd_requirings = {}
for requiring, orig_install_name in requirings.items():
set_install_name(requiring, orig_install_name, '@loader_path/' +
basename(required))
mapped_requiring = copied2orig.get(requiring, requiring)
procd_requirings[mapped_requiring] = orig_install_name
if required in copied_libs:
copied_libs[required].update(procd_requirings)
continue
out_path = pjoin(lib_path, basename(required))
if exists(out_path):
raise DelocationError(out_path + ' already exists')
shutil.copy(required, lib_path)
copied2orig[out_path] = required
copied_libs[required] = procd_requirings
| copy_required | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lib_path, copy_filt_func, copied_libs):\n lib_dict = tree_libs(lib_path)\n rp_lp = realpath(lib_path)\n copied2orig = dict((pjoin(rp_lp, basename(c)), c) for c in copied_libs)\n for required, requirings in lib_dict.items():\n if not copy_filt_func is None and not copy_filt_func(required):\n continue\n if required.startswith('@'):\n continue\n procd_requirings = {}\n for requiring, orig_install_name in requirings.items():\n set_install_name(requiring, orig_install_name, '@loader_path/' +\n basename(required))\n mapped_requiring = copied2orig.get(requiring, requiring)\n procd_requirings[mapped_requiring] = orig_install_name\n if required in copied_libs:\n copied_libs[required].update(procd_requirings)\n continue\n out_path = pjoin(lib_path, basename(required))\n if exists(out_path):\n raise DelocationError(out_path + ' already exists')\n shutil.copy(required, lib_path)\n copied2orig[out_path] = required\n copied_libs[required] = procd_requirings\n",
"role": "user"
},
{
"content": "copy_required",
"role": "assistant"
}
] |
def x(tree_path, lib_path, lib_filt_func=None, copy_filt_func=
filter_system_libs):
if lib_filt_func == 'dylibs-only':
lib_filt_func = _dylibs_only
if not exists(lib_path):
os.makedirs(lib_path)
lib_dict = tree_libs(tree_path, lib_filt_func)
if not copy_filt_func is None:
lib_dict = dict((key, value) for key, value in lib_dict.items() if
copy_filt_func(key))
copied = delocate_tree_libs(lib_dict, lib_path, tree_path)
return copy_recurse(lib_path, copy_filt_func, copied)
| delocate_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tree_path, lib_path, lib_filt_func=None, copy_filt_func=\n filter_system_libs):\n if lib_filt_func == 'dylibs-only':\n lib_filt_func = _dylibs_only\n if not exists(lib_path):\n os.makedirs(lib_path)\n lib_dict = tree_libs(tree_path, lib_filt_func)\n if not copy_filt_func is None:\n lib_dict = dict((key, value) for key, value in lib_dict.items() if\n copy_filt_func(key))\n copied = delocate_tree_libs(lib_dict, lib_path, tree_path)\n return copy_recurse(lib_path, copy_filt_func, copied)\n",
"role": "user"
},
{
"content": "delocate_path",
"role": "assistant"
}
] |
def x(d1, d2):
for required, requirings in d2.items():
if required in d1:
d1[required].update(requirings)
else:
d1[required] = requirings
return None
| merge_lib_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d1, d2):\n for required, requirings in d2.items():\n if required in d1:\n d1[required].update(requirings)\n else:\n d1[required] = requirings\n return None\n",
"role": "user"
},
{
"content": "merge_lib_dict",
"role": "assistant"
}
] |
def x(in_wheel, out_wheel=None, lib_sdir='.dylibs', lib_filt_func=None,
copy_filt_func=filter_system_libs, require_archs=None, check_verbose=False
):
if lib_filt_func == 'dylibs-only':
lib_filt_func = _dylibs_only
in_wheel = abspath(in_wheel)
if out_wheel is None:
out_wheel = in_wheel
else:
out_wheel = abspath(out_wheel)
in_place = in_wheel == out_wheel
with TemporaryDirectory() as tmpdir:
all_copied = {}
wheel_dir = realpath(pjoin(tmpdir, 'wheel'))
zip2dir(in_wheel, wheel_dir)
for package_path in find_package_dirs(wheel_dir):
lib_path = pjoin(package_path, lib_sdir)
lib_path_exists = exists(lib_path)
copied_libs = delocate_path(package_path, lib_path,
lib_filt_func, copy_filt_func)
if copied_libs and lib_path_exists:
raise DelocationError(
'{0} already exists in wheel but need to copy {1}'.
format(lib_path, '; '.join(copied_libs)))
if len(os.listdir(lib_path)) == 0:
shutil.rmtree(lib_path)
if not require_archs is None:
stop_fast = not check_verbose
bads = check_archs(copied_libs, require_archs, stop_fast)
if len(bads) != 0:
if check_verbose:
print(bads_report(bads, pjoin(tmpdir, 'wheel')))
raise DelocationError('Some missing architectures in wheel'
)
install_id_root = DLC_PREFIX + relpath(package_path, wheel_dir
) + '/'
for lib in copied_libs:
lib_base = basename(lib)
copied_path = pjoin(lib_path, lib_base)
set_install_id(copied_path, install_id_root + lib_base)
validate_signature(copied_path)
_merge_lib_dict(all_copied, copied_libs)
if len(all_copied):
rewrite_record(wheel_dir)
if len(all_copied) or not in_place:
dir2zip(wheel_dir, out_wheel)
return stripped_lib_dict(all_copied, wheel_dir + os.path.sep)
| delocate_wheel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(in_wheel, out_wheel=None, lib_sdir='.dylibs', lib_filt_func=None,\n copy_filt_func=filter_system_libs, require_archs=None, check_verbose=False\n ):\n if lib_filt_func == 'dylibs-only':\n lib_filt_func = _dylibs_only\n in_wheel = abspath(in_wheel)\n if out_wheel is None:\n out_wheel = in_wheel\n else:\n out_wheel = abspath(out_wheel)\n in_place = in_wheel == out_wheel\n with TemporaryDirectory() as tmpdir:\n all_copied = {}\n wheel_dir = realpath(pjoin(tmpdir, 'wheel'))\n zip2dir(in_wheel, wheel_dir)\n for package_path in find_package_dirs(wheel_dir):\n lib_path = pjoin(package_path, lib_sdir)\n lib_path_exists = exists(lib_path)\n copied_libs = delocate_path(package_path, lib_path,\n lib_filt_func, copy_filt_func)\n if copied_libs and lib_path_exists:\n raise DelocationError(\n '{0} already exists in wheel but need to copy {1}'.\n format(lib_path, '; '.join(copied_libs)))\n if len(os.listdir(lib_path)) == 0:\n shutil.rmtree(lib_path)\n if not require_archs is None:\n stop_fast = not check_verbose\n bads = check_archs(copied_libs, require_archs, stop_fast)\n if len(bads) != 0:\n if check_verbose:\n print(bads_report(bads, pjoin(tmpdir, 'wheel')))\n raise DelocationError('Some missing architectures in wheel'\n )\n install_id_root = DLC_PREFIX + relpath(package_path, wheel_dir\n ) + '/'\n for lib in copied_libs:\n lib_base = basename(lib)\n copied_path = pjoin(lib_path, lib_base)\n set_install_id(copied_path, install_id_root + lib_base)\n validate_signature(copied_path)\n _merge_lib_dict(all_copied, copied_libs)\n if len(all_copied):\n rewrite_record(wheel_dir)\n if len(all_copied) or not in_place:\n dir2zip(wheel_dir, out_wheel)\n return stripped_lib_dict(all_copied, wheel_dir + os.path.sep)\n",
"role": "user"
},
{
"content": "delocate_wheel",
"role": "assistant"
}
] |
def x(in_wheel, patch_fname, out_wheel=None):
in_wheel = abspath(in_wheel)
patch_fname = abspath(patch_fname)
if out_wheel is None:
out_wheel = in_wheel
else:
out_wheel = abspath(out_wheel)
if not exists(patch_fname):
raise ValueError('patch file {0} does not exist'.format(patch_fname))
with InWheel(in_wheel, out_wheel):
with open(patch_fname, 'rb') as fobj:
patch_proc = Popen(['patch', '-p1'], stdin=fobj, stdout=PIPE,
stderr=PIPE)
stdout, stderr = patch_proc.communicate()
if patch_proc.returncode != 0:
raise RuntimeError('Patch failed with stdout:\n' + stdout.
decode('latin1'))
| patch_wheel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(in_wheel, patch_fname, out_wheel=None):\n in_wheel = abspath(in_wheel)\n patch_fname = abspath(patch_fname)\n if out_wheel is None:\n out_wheel = in_wheel\n else:\n out_wheel = abspath(out_wheel)\n if not exists(patch_fname):\n raise ValueError('patch file {0} does not exist'.format(patch_fname))\n with InWheel(in_wheel, out_wheel):\n with open(patch_fname, 'rb') as fobj:\n patch_proc = Popen(['patch', '-p1'], stdin=fobj, stdout=PIPE,\n stderr=PIPE)\n stdout, stderr = patch_proc.communicate()\n if patch_proc.returncode != 0:\n raise RuntimeError('Patch failed with stdout:\\n' + stdout.\n decode('latin1'))\n",
"role": "user"
},
{
"content": "patch_wheel",
"role": "assistant"
}
] |
def x(copied_libs, require_archs=(), stop_fast=False):
if isinstance(require_archs, string_types):
require_archs = ['i386', 'x86_64'] if require_archs == 'intel' else [
require_archs]
require_archs = frozenset(require_archs)
bads = []
for depended_lib, dep_dict in copied_libs.items():
depended_archs = get_archs(depended_lib)
for depending_lib, install_name in dep_dict.items():
depending_archs = get_archs(depending_lib)
all_required = depending_archs | require_archs
all_missing = all_required.difference(depended_archs)
if len(all_missing) == 0:
continue
required_missing = require_archs.difference(depended_archs)
if len(required_missing):
bads.append((depending_lib, required_missing))
else:
bads.append((depended_lib, depending_lib, all_missing))
if stop_fast:
return set(bads)
return set(bads)
| check_archs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(copied_libs, require_archs=(), stop_fast=False):\n if isinstance(require_archs, string_types):\n require_archs = ['i386', 'x86_64'] if require_archs == 'intel' else [\n require_archs]\n require_archs = frozenset(require_archs)\n bads = []\n for depended_lib, dep_dict in copied_libs.items():\n depended_archs = get_archs(depended_lib)\n for depending_lib, install_name in dep_dict.items():\n depending_archs = get_archs(depending_lib)\n all_required = depending_archs | require_archs\n all_missing = all_required.difference(depended_archs)\n if len(all_missing) == 0:\n continue\n required_missing = require_archs.difference(depended_archs)\n if len(required_missing):\n bads.append((depending_lib, required_missing))\n else:\n bads.append((depended_lib, depending_lib, all_missing))\n if stop_fast:\n return set(bads)\n return set(bads)\n",
"role": "user"
},
{
"content": "check_archs",
"role": "assistant"
}
] |
def x(bads, path_prefix=None):
path_processor = (lambda x: x) if path_prefix is None else get_rp_stripper(
path_prefix)
reports = []
for result in bads:
if len(result) == 3:
depended_lib, depending_lib, missing_archs = result
reports.append('{0} needs {1} {2} missing from {3}'.format(
path_processor(depending_lib), 'archs' if len(missing_archs
) > 1 else 'arch', ', '.join(sorted(missing_archs)),
path_processor(depended_lib)))
elif len(result) == 2:
depending_lib, missing_archs = result
reports.append('Required {0} {1} missing from {2}'.format(
'archs' if len(missing_archs) > 1 else 'arch', ', '.join(
sorted(missing_archs)), path_processor(depending_lib)))
else:
raise ValueError('Report tuple should be length 2 or 3')
return '\n'.join(sorted(reports))
| bads_report | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bads, path_prefix=None):\n path_processor = (lambda x: x) if path_prefix is None else get_rp_stripper(\n path_prefix)\n reports = []\n for result in bads:\n if len(result) == 3:\n depended_lib, depending_lib, missing_archs = result\n reports.append('{0} needs {1} {2} missing from {3}'.format(\n path_processor(depending_lib), 'archs' if len(missing_archs\n ) > 1 else 'arch', ', '.join(sorted(missing_archs)),\n path_processor(depended_lib)))\n elif len(result) == 2:\n depending_lib, missing_archs = result\n reports.append('Required {0} {1} missing from {2}'.format(\n 'archs' if len(missing_archs) > 1 else 'arch', ', '.join(\n sorted(missing_archs)), path_processor(depending_lib)))\n else:\n raise ValueError('Report tuple should be length 2 or 3')\n return '\\n'.join(sorted(reports))\n",
"role": "user"
},
{
"content": "bads_report",
"role": "assistant"
}
] |
def x(start_path, filt_func=None):
lib_dict = {}
for dirpath, dirnames, basenames in os.walk(start_path):
for base in basenames:
depending_libpath = realpath(pjoin(dirpath, base))
if not filt_func is None and not filt_func(depending_libpath):
continue
rpaths = get_rpaths(depending_libpath)
for install_name in get_install_names(depending_libpath):
lib_path = install_name if install_name.startswith('@'
) else realpath(install_name)
lib_path = resolve_rpath(lib_path, rpaths)
if lib_path in lib_dict:
lib_dict[lib_path][depending_libpath] = install_name
else:
lib_dict[lib_path] = {depending_libpath: install_name}
return lib_dict
| tree_libs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start_path, filt_func=None):\n lib_dict = {}\n for dirpath, dirnames, basenames in os.walk(start_path):\n for base in basenames:\n depending_libpath = realpath(pjoin(dirpath, base))\n if not filt_func is None and not filt_func(depending_libpath):\n continue\n rpaths = get_rpaths(depending_libpath)\n for install_name in get_install_names(depending_libpath):\n lib_path = install_name if install_name.startswith('@'\n ) else realpath(install_name)\n lib_path = resolve_rpath(lib_path, rpaths)\n if lib_path in lib_dict:\n lib_dict[lib_path][depending_libpath] = install_name\n else:\n lib_dict[lib_path] = {depending_libpath: install_name}\n return lib_dict\n",
"role": "user"
},
{
"content": "tree_libs",
"role": "assistant"
}
] |
def x(lib_path, rpaths):
if not lib_path.startswith('@rpath/'):
return lib_path
lib_rpath = lib_path.split('/', 1)[1]
for rpath in rpaths:
rpath_lib = realpath(pjoin(rpath, lib_rpath))
if os.path.exists(rpath_lib):
return rpath_lib
warnings.warn("Couldn't find {0} on paths:\n\t{1}".format(lib_path,
'\n\t'.join(realpath(path) for path in rpaths)))
return lib_path
| resolve_rpath | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lib_path, rpaths):\n if not lib_path.startswith('@rpath/'):\n return lib_path\n lib_rpath = lib_path.split('/', 1)[1]\n for rpath in rpaths:\n rpath_lib = realpath(pjoin(rpath, lib_rpath))\n if os.path.exists(rpath_lib):\n return rpath_lib\n warnings.warn(\"Couldn't find {0} on paths:\\n\\t{1}\".format(lib_path,\n '\\n\\t'.join(realpath(path) for path in rpaths)))\n return lib_path\n",
"role": "user"
},
{
"content": "resolve_rpath",
"role": "assistant"
}
] |
def x(strip_prefix):
n = len(strip_prefix)
def x(path):
return path if not path.startswith(strip_prefix) else path[n:]
return stripper
| get_prefix_stripper | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(strip_prefix):\n n = len(strip_prefix)\n\n def x(path):\n return path if not path.startswith(strip_prefix) else path[n:]\n return stripper\n",
"role": "user"
},
{
"content": "get_prefix_stripper",
"role": "assistant"
}
] |
def x(lib_dict, strip_prefix):
relative_dict = {}
stripper = get_prefix_stripper(strip_prefix)
for lib_path, dependings_dict in lib_dict.items():
ding_dict = {}
for depending_libpath, install_name in dependings_dict.items():
ding_dict[stripper(depending_libpath)] = install_name
relative_dict[stripper(lib_path)] = ding_dict
return relative_dict
| stripped_lib_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lib_dict, strip_prefix):\n relative_dict = {}\n stripper = get_prefix_stripper(strip_prefix)\n for lib_path, dependings_dict in lib_dict.items():\n ding_dict = {}\n for depending_libpath, install_name in dependings_dict.items():\n ding_dict[stripper(depending_libpath)] = install_name\n relative_dict[stripper(lib_path)] = ding_dict\n return relative_dict\n",
"role": "user"
},
{
"content": "stripped_lib_dict",
"role": "assistant"
}
] |
def x(wheel_fname, filt_func=None):
with TemporaryDirectory() as tmpdir:
zip2dir(wheel_fname, tmpdir)
lib_dict = tree_libs(tmpdir, filt_func)
return stripped_lib_dict(lib_dict, realpath(tmpdir) + os.path.sep)
| wheel_libs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(wheel_fname, filt_func=None):\n with TemporaryDirectory() as tmpdir:\n zip2dir(wheel_fname, tmpdir)\n lib_dict = tree_libs(tmpdir, filt_func)\n return stripped_lib_dict(lib_dict, realpath(tmpdir) + os.path.sep)\n",
"role": "user"
},
{
"content": "wheel_libs",
"role": "assistant"
}
] |
def x(name, mode):
if sys.version_info[0] < 3:
return open_rw(name, mode + 'b')
return open_rw(name, mode, newline='', encoding='utf-8')
| open_for_csv | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, mode):\n if sys.version_info[0] < 3:\n return open_rw(name, mode + 'b')\n return open_rw(name, mode, newline='', encoding='utf-8')\n",
"role": "user"
},
{
"content": "open_for_csv",
"role": "assistant"
}
] |
def x(bdist_dir):
info_dirs = glob.glob(pjoin(bdist_dir, '*.dist-info'))
if len(info_dirs) != 1:
raise WheelToolsError('Should be exactly one `*.dist_info` directory')
record_path = pjoin(info_dirs[0], 'RECORD')
record_relpath = relpath(record_path, bdist_dir)
sig_path = pjoin(info_dirs[0], 'RECORD.jws')
if exists(sig_path):
os.unlink(sig_path)
def x():
for dir, dirs, files in os.walk(bdist_dir):
for f in files:
yield pjoin(dir, f)
def x(path):
return path == record_relpath
with _open_for_csv(record_path, 'w+') as record_file:
writer = csv.writer(record_file)
for path in walk():
relative_path = relpath(path, bdist_dir)
if skip(relative_path):
hash = ''
size = ''
else:
with open(path, 'rb') as f:
data = f.read()
digest = hashlib.sha256(data).digest()
hash = 'sha256=' + native(urlsafe_b64encode(digest))
size = len(data)
path_for_record = relpath(path, bdist_dir).replace(psep, '/')
writer.writerow((path_for_record, hash, size))
| rewrite_record | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bdist_dir):\n info_dirs = glob.glob(pjoin(bdist_dir, '*.dist-info'))\n if len(info_dirs) != 1:\n raise WheelToolsError('Should be exactly one `*.dist_info` directory')\n record_path = pjoin(info_dirs[0], 'RECORD')\n record_relpath = relpath(record_path, bdist_dir)\n sig_path = pjoin(info_dirs[0], 'RECORD.jws')\n if exists(sig_path):\n os.unlink(sig_path)\n\n def x():\n for dir, dirs, files in os.walk(bdist_dir):\n for f in files:\n yield pjoin(dir, f)\n\n def x(path):\n return path == record_relpath\n with _open_for_csv(record_path, 'w+') as record_file:\n writer = csv.writer(record_file)\n for path in walk():\n relative_path = relpath(path, bdist_dir)\n if skip(relative_path):\n hash = ''\n size = ''\n else:\n with open(path, 'rb') as f:\n data = f.read()\n digest = hashlib.sha256(data).digest()\n hash = 'sha256=' + native(urlsafe_b64encode(digest))\n size = len(data)\n path_for_record = relpath(path, bdist_dir).replace(psep, '/')\n writer.writerow((path_for_record, hash, size))\n",
"role": "user"
},
{
"content": "rewrite_record",
"role": "assistant"
}
] |
def x(in_wheel, platforms, out_path=None, clobber=False):
in_wheel = abspath(in_wheel)
out_path = dirname(in_wheel) if out_path is None else abspath(out_path)
wf = WheelFile(in_wheel)
info_fname = _get_wheelinfo_name(wf)
in_fname_tags = wf.parsed_filename.groupdict()['plat'].split('.')
extra_fname_tags = [tag for tag in platforms if tag not in in_fname_tags]
in_wheel_base, ext = splitext(basename(in_wheel))
out_wheel_base = '.'.join([in_wheel_base] + list(extra_fname_tags))
out_wheel = pjoin(out_path, out_wheel_base + ext)
if exists(out_wheel) and not clobber:
raise WheelToolsError(
'Not overwriting {0}; set clobber=True to overwrite'.format(
out_wheel))
with InWheelCtx(in_wheel) as ctx:
info = read_pkg_info(info_fname)
if info['Root-Is-Purelib'] == 'true':
raise WheelToolsError('Cannot add platforms to pure wheel')
in_info_tags = [tag for name, tag in info.items() if name == 'Tag']
pyc_apis = ['-'.join(tag.split('-')[:2]) for tag in in_info_tags]
pyc_apis = unique_by_index(pyc_apis)
required_tags = ['-'.join(tup) for tup in product(pyc_apis, platforms)]
needs_write = False
for req_tag in required_tags:
if req_tag in in_info_tags:
continue
needs_write = True
info.add_header('Tag', req_tag)
if needs_write:
write_pkg_info(info_fname, info)
ctx.out_wheel = out_wheel
return ctx.out_wheel
| add_platforms | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(in_wheel, platforms, out_path=None, clobber=False):\n in_wheel = abspath(in_wheel)\n out_path = dirname(in_wheel) if out_path is None else abspath(out_path)\n wf = WheelFile(in_wheel)\n info_fname = _get_wheelinfo_name(wf)\n in_fname_tags = wf.parsed_filename.groupdict()['plat'].split('.')\n extra_fname_tags = [tag for tag in platforms if tag not in in_fname_tags]\n in_wheel_base, ext = splitext(basename(in_wheel))\n out_wheel_base = '.'.join([in_wheel_base] + list(extra_fname_tags))\n out_wheel = pjoin(out_path, out_wheel_base + ext)\n if exists(out_wheel) and not clobber:\n raise WheelToolsError(\n 'Not overwriting {0}; set clobber=True to overwrite'.format(\n out_wheel))\n with InWheelCtx(in_wheel) as ctx:\n info = read_pkg_info(info_fname)\n if info['Root-Is-Purelib'] == 'true':\n raise WheelToolsError('Cannot add platforms to pure wheel')\n in_info_tags = [tag for name, tag in info.items() if name == 'Tag']\n pyc_apis = ['-'.join(tag.split('-')[:2]) for tag in in_info_tags]\n pyc_apis = unique_by_index(pyc_apis)\n required_tags = ['-'.join(tup) for tup in product(pyc_apis, platforms)]\n needs_write = False\n for req_tag in required_tags:\n if req_tag in in_info_tags:\n continue\n needs_write = True\n info.add_header('Tag', req_tag)\n if needs_write:\n write_pkg_info(info_fname, info)\n ctx.out_wheel = out_wheel\n return ctx.out_wheel\n",
"role": "user"
},
{
"content": "add_platforms",
"role": "assistant"
}
] |
def x(tnet=None, paths=None, calc='time'):
if tnet is not None and paths is not None:
raise ValueError('Only network or path input allowed.')
if tnet is None and paths is None:
raise ValueError('No input.')
if tnet is not None:
paths = shortest_temporal_path(tnet)
bet = np.zeros([paths[['from', 'to']].max().max() + 1, paths['t_start']
.max() + 1])
for row in paths.iterrows():
if np.isnan(row[1]['path includes']).all():
pass
else:
nodes_in_path = np.unique(np.concatenate(row[1]['path includes'])
).astype(int).tolist()
nodes_in_path.remove(row[1]['from'])
nodes_in_path.remove(row[1]['to'])
if len(nodes_in_path) > 0:
bet[nodes_in_path, row[1]['t_start']] += 1
bet = 1 / ((bet.shape[0] - 1) * (bet.shape[0] - 2)) * bet
if calc == 'global':
bet = np.mean(bet, axis=1)
return bet
| temporal_betweenness_centrality | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tnet=None, paths=None, calc='time'):\n if tnet is not None and paths is not None:\n raise ValueError('Only network or path input allowed.')\n if tnet is None and paths is None:\n raise ValueError('No input.')\n if tnet is not None:\n paths = shortest_temporal_path(tnet)\n bet = np.zeros([paths[['from', 'to']].max().max() + 1, paths['t_start']\n .max() + 1])\n for row in paths.iterrows():\n if np.isnan(row[1]['path includes']).all():\n pass\n else:\n nodes_in_path = np.unique(np.concatenate(row[1]['path includes'])\n ).astype(int).tolist()\n nodes_in_path.remove(row[1]['from'])\n nodes_in_path.remove(row[1]['to'])\n if len(nodes_in_path) > 0:\n bet[nodes_in_path, row[1]['t_start']] += 1\n bet = 1 / ((bet.shape[0] - 1) * (bet.shape[0] - 2)) * bet\n if calc == 'global':\n bet = np.mean(bet, axis=1)\n return bet\n",
"role": "user"
},
{
"content": "temporal_betweenness_centrality",
"role": "assistant"
}
] |
def x(tnet, distance_func_name='default', calc='global', communities=None,
event_displacement=None):
tnet, netinfo = process_input(tnet, ['C', 'G', 'TN'])
distance_func_name = check_distance_funciton_input(distance_func_name,
netinfo)
if not isinstance(distance_func_name, str):
raise ValueError('Distance metric must be a string')
if netinfo['nettype'][1] == 'd':
ind = np.triu_indices(tnet.shape[0], k=-tnet.shape[0])
elif netinfo['nettype'][1] == 'u':
ind = np.triu_indices(tnet.shape[0], k=1)
if calc == 'communities':
communities = np.array(communities)
if len(communities) != netinfo['netshape'][0]:
raise ValueError(
'When processing per network, communities vector must equal the number of nodes'
)
if communities.min() < 0:
raise ValueError('Communitiy assignments must be positive integers'
)
distance_func = getDistanceFunction(distance_func_name)
if calc == 'global':
vol = np.mean([distance_func(tnet[ind[0], ind[1], t], tnet[ind[0],
ind[1], t + 1]) for t in range(0, tnet.shape[-1] - 1)])
elif calc == 'time':
vol = [distance_func(tnet[ind[0], ind[1], t], tnet[ind[0], ind[1],
t + 1]) for t in range(0, tnet.shape[-1] - 1)]
elif calc == 'event_displacement':
vol = [distance_func(tnet[ind[0], ind[1], event_displacement], tnet
[ind[0], ind[1], t]) for t in range(0, tnet.shape[-1])]
elif calc == 'edge' or calc == 'node':
vol = np.zeros([tnet.shape[0], tnet.shape[1]])
for i in ind[0]:
for j in ind[1]:
vol[i, j] = np.mean([distance_func(tnet[i, j, t], tnet[i, j,
t + 1]) for t in range(0, tnet.shape[-1] - 1)])
if netinfo['nettype'][1] == 'u':
vol = vol + np.transpose(vol)
if calc == 'node':
vol = np.mean(vol, axis=1)
elif calc == 'communities':
net_id = set(communities)
vol = np.zeros([max(net_id) + 1, max(net_id) + 1, netinfo[
'netshape'][-1] - 1])
for net1 in net_id:
for net2 in net_id:
if net1 != net2:
vol[net1, net2, :] = [distance_func(tnet[communities ==
net1][:, communities == net2, t].flatten(), tnet[
communities == net1][:, communities == net2, t + 1]
.flatten()) for t in range(0, tnet.shape[-1] - 1)]
else:
nettmp = tnet[communities == net1][:, communities ==
net2, :]
triu = np.triu_indices(nettmp.shape[0], k=1)
nettmp = nettmp[triu[0], triu[1], :]
vol[net1, net2, :] = [distance_func(nettmp[:, t].
flatten(), nettmp[:, t + 1].flatten()) for t in
range(0, tnet.shape[-1] - 1)]
elif calc == 'withincommunities':
withi = np.array([[ind[0][n], ind[1][n]] for n in range(0, len(ind[
0])) if communities[ind[0][n]] == communities[ind[1][n]]])
vol = [distance_func(tnet[withi[:, 0], withi[:, 1], t], tnet[withi[
:, 0], withi[:, 1], t + 1]) for t in range(0, tnet.shape[-1] - 1)]
elif calc == 'betweencommunities':
beti = np.array([[ind[0][n], ind[1][n]] for n in range(0, len(ind[0
])) if communities[ind[0][n]] != communities[ind[1][n]]])
vol = [distance_func(tnet[beti[:, 0], beti[:, 1], t], tnet[beti[:,
0], beti[:, 1], t + 1]) for t in range(0, tnet.shape[-1] - 1)]
return vol
| volatility | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tnet, distance_func_name='default', calc='global', communities=None,\n event_displacement=None):\n tnet, netinfo = process_input(tnet, ['C', 'G', 'TN'])\n distance_func_name = check_distance_funciton_input(distance_func_name,\n netinfo)\n if not isinstance(distance_func_name, str):\n raise ValueError('Distance metric must be a string')\n if netinfo['nettype'][1] == 'd':\n ind = np.triu_indices(tnet.shape[0], k=-tnet.shape[0])\n elif netinfo['nettype'][1] == 'u':\n ind = np.triu_indices(tnet.shape[0], k=1)\n if calc == 'communities':\n communities = np.array(communities)\n if len(communities) != netinfo['netshape'][0]:\n raise ValueError(\n 'When processing per network, communities vector must equal the number of nodes'\n )\n if communities.min() < 0:\n raise ValueError('Communitiy assignments must be positive integers'\n )\n distance_func = getDistanceFunction(distance_func_name)\n if calc == 'global':\n vol = np.mean([distance_func(tnet[ind[0], ind[1], t], tnet[ind[0],\n ind[1], t + 1]) for t in range(0, tnet.shape[-1] - 1)])\n elif calc == 'time':\n vol = [distance_func(tnet[ind[0], ind[1], t], tnet[ind[0], ind[1], \n t + 1]) for t in range(0, tnet.shape[-1] - 1)]\n elif calc == 'event_displacement':\n vol = [distance_func(tnet[ind[0], ind[1], event_displacement], tnet\n [ind[0], ind[1], t]) for t in range(0, tnet.shape[-1])]\n elif calc == 'edge' or calc == 'node':\n vol = np.zeros([tnet.shape[0], tnet.shape[1]])\n for i in ind[0]:\n for j in ind[1]:\n vol[i, j] = np.mean([distance_func(tnet[i, j, t], tnet[i, j,\n t + 1]) for t in range(0, tnet.shape[-1] - 1)])\n if netinfo['nettype'][1] == 'u':\n vol = vol + np.transpose(vol)\n if calc == 'node':\n vol = np.mean(vol, axis=1)\n elif calc == 'communities':\n net_id = set(communities)\n vol = np.zeros([max(net_id) + 1, max(net_id) + 1, netinfo[\n 'netshape'][-1] - 1])\n for net1 in net_id:\n for net2 in net_id:\n if net1 != net2:\n vol[net1, net2, :] = [distance_func(tnet[communities ==\n net1][:, communities == net2, t].flatten(), tnet[\n communities == net1][:, communities == net2, t + 1]\n .flatten()) for t in range(0, tnet.shape[-1] - 1)]\n else:\n nettmp = tnet[communities == net1][:, communities ==\n net2, :]\n triu = np.triu_indices(nettmp.shape[0], k=1)\n nettmp = nettmp[triu[0], triu[1], :]\n vol[net1, net2, :] = [distance_func(nettmp[:, t].\n flatten(), nettmp[:, t + 1].flatten()) for t in\n range(0, tnet.shape[-1] - 1)]\n elif calc == 'withincommunities':\n withi = np.array([[ind[0][n], ind[1][n]] for n in range(0, len(ind[\n 0])) if communities[ind[0][n]] == communities[ind[1][n]]])\n vol = [distance_func(tnet[withi[:, 0], withi[:, 1], t], tnet[withi[\n :, 0], withi[:, 1], t + 1]) for t in range(0, tnet.shape[-1] - 1)]\n elif calc == 'betweencommunities':\n beti = np.array([[ind[0][n], ind[1][n]] for n in range(0, len(ind[0\n ])) if communities[ind[0][n]] != communities[ind[1][n]]])\n vol = [distance_func(tnet[beti[:, 0], beti[:, 1], t], tnet[beti[:, \n 0], beti[:, 1], t + 1]) for t in range(0, tnet.shape[-1] - 1)]\n return vol\n",
"role": "user"
},
{
"content": "volatility",
"role": "assistant"
}
] |
def x(community):
N = community.shape[0]
C = community.shape[1]
T = P = np.zeros([N, N])
for t in range(len(community[0, :])):
for i in range(len(community[:, 0])):
for j in range(len(community[:, 0])):
if i == j:
continue
if community[i][t] == community[j][t]:
T[i, j] += 1
P = 1 / C * T
return P
| allegiance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(community):\n N = community.shape[0]\n C = community.shape[1]\n T = P = np.zeros([N, N])\n for t in range(len(community[0, :])):\n for i in range(len(community[:, 0])):\n for j in range(len(community[:, 0])):\n if i == j:\n continue\n if community[i][t] == community[j][t]:\n T[i, j] += 1\n P = 1 / C * T\n return P\n",
"role": "user"
},
{
"content": "allegiance",
"role": "assistant"
}
] |
def x(nnodes, ncontacts, lam=1, nettype='bu', netinfo=None, netrep='graphlet'):
if isinstance(ncontacts, list):
if len(ncontacts) != nnodes:
raise ValueError(
'Number of contacts, if a list, should be one per node')
if isinstance(lam, list):
if len(lam) != nnodes:
raise ValueError(
'Lambda value of Poisson distribution, if a list, should be one per node'
)
if isinstance(lam, list) and not isinstance(ncontacts, list
) or not isinstance(lam, list) and isinstance(ncontacts, list):
raise ValueError(
'When one of lambda or ncontacts is given as a list, the other argument must also be a list.'
)
if nettype == 'bu':
edgen = int(nnodes * (nnodes - 1) / 2)
elif nettype == 'bd':
edgen = int(nnodes * nnodes)
if not isinstance(lam, list) and not isinstance(ncontacts, list):
icts = np.random.poisson(lam, size=(edgen, ncontacts))
net = np.zeros([edgen, icts.sum(axis=1).max() + 1])
for n in range(edgen):
net[n, np.unique(np.cumsum(icts[n]))] = 1
else:
icts = []
ict_max = 0
for n in range(edgen):
icts.append(np.random.poisson(lam[n], size=ncontacts[n]))
if sum(icts[-1]) > ict_max:
ict_max = sum(icts[-1])
net = np.zeros([nnodes, ict_max + 1])
for n in range(nnodes):
net[n, np.unique(np.cumsum(icts[n]))] = 1
if nettype == 'bu':
nettmp = np.zeros([nnodes, nnodes, net.shape[-1]])
ind = np.triu_indices(nnodes, k=1)
nettmp[ind[0], ind[1], :] = net
net = nettmp + nettmp.transpose([1, 0, 2])
elif nettype == 'bd':
net = net.reshape([nnodes, nnodes, net.shape[-1]], order='F')
net = set_diagonal(net, 0)
if netrep == 'contact':
if not netinfo:
netinfo = {}
netinfo['nettype'] = 'b' + nettype[-1]
net = graphlet2contact(net, netinfo)
return net
| rand_poisson | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(nnodes, ncontacts, lam=1, nettype='bu', netinfo=None, netrep='graphlet'):\n if isinstance(ncontacts, list):\n if len(ncontacts) != nnodes:\n raise ValueError(\n 'Number of contacts, if a list, should be one per node')\n if isinstance(lam, list):\n if len(lam) != nnodes:\n raise ValueError(\n 'Lambda value of Poisson distribution, if a list, should be one per node'\n )\n if isinstance(lam, list) and not isinstance(ncontacts, list\n ) or not isinstance(lam, list) and isinstance(ncontacts, list):\n raise ValueError(\n 'When one of lambda or ncontacts is given as a list, the other argument must also be a list.'\n )\n if nettype == 'bu':\n edgen = int(nnodes * (nnodes - 1) / 2)\n elif nettype == 'bd':\n edgen = int(nnodes * nnodes)\n if not isinstance(lam, list) and not isinstance(ncontacts, list):\n icts = np.random.poisson(lam, size=(edgen, ncontacts))\n net = np.zeros([edgen, icts.sum(axis=1).max() + 1])\n for n in range(edgen):\n net[n, np.unique(np.cumsum(icts[n]))] = 1\n else:\n icts = []\n ict_max = 0\n for n in range(edgen):\n icts.append(np.random.poisson(lam[n], size=ncontacts[n]))\n if sum(icts[-1]) > ict_max:\n ict_max = sum(icts[-1])\n net = np.zeros([nnodes, ict_max + 1])\n for n in range(nnodes):\n net[n, np.unique(np.cumsum(icts[n]))] = 1\n if nettype == 'bu':\n nettmp = np.zeros([nnodes, nnodes, net.shape[-1]])\n ind = np.triu_indices(nnodes, k=1)\n nettmp[ind[0], ind[1], :] = net\n net = nettmp + nettmp.transpose([1, 0, 2])\n elif nettype == 'bd':\n net = net.reshape([nnodes, nnodes, net.shape[-1]], order='F')\n net = set_diagonal(net, 0)\n if netrep == 'contact':\n if not netinfo:\n netinfo = {}\n netinfo['nettype'] = 'b' + nettype[-1]\n net = graphlet2contact(net, netinfo)\n return net\n",
"role": "user"
},
{
"content": "rand_poisson",
"role": "assistant"
}
] |
def x(tnet, communities=None, decay=None, removeneg=False):
if communities is None:
if isinstance(tnet, dict):
if 'communities' in tnet.keys():
communities = tnet['communities']
else:
raise ValueError('Community index not found')
else:
raise ValueError('Community must be provided for graphlet input')
tnet = process_input(tnet, ['C', 'G', 'TN'], 'TN')
if tnet.nettype[0] == 'w':
if tnet.hdf5 == False:
if sum(tnet.network['weight'] < 0) > 0 and not removeneg:
print(
'TENETO WARNING: negative edges exist when calculating participation coefficient.'
)
else:
tnet.network['weight'][tnet.network['weight'] < 0] = 0
part = np.zeros([tnet.netshape[0], tnet.netshape[1]])
if len(communities.shape) == 1:
for t in np.arange(0, tnet.netshape[1]):
C = communities
snapshot = tnet.get_network_when(t=t)
if tnet.nettype[1] == 'd':
i_at_t = snapshot['i'].values
else:
i_at_t = np.concatenate([snapshot['i'].values, snapshot['j'
].values])
i_at_t = np.unique(i_at_t).tolist()
i_at_t = list(map(int, i_at_t))
for i in i_at_t:
if tnet.nettype[1] == 'd':
df = tnet.get_network_when(i=i, t=t)
j_at_t = df['j'].values
if tnet.nettype == 'wd':
k_i = df['weight'].sum()
elif tnet.nettype == 'bd':
k_i = len(df)
elif tnet.nettype[1] == 'u':
df = tnet.get_network_when(ij=i, t=t)
j_at_t = np.concatenate([df['i'].values, df['j'].values])
if tnet.nettype == 'wu':
k_i = df['weight'].sum()
elif tnet.nettype == 'bu':
k_i = len(df)
j_at_t = list(map(int, j_at_t))
for c in np.unique(C[j_at_t]):
ci = np.where(C == c)[0].tolist()
k_is = tnet.get_network_when(i=i, j=ci, t=t)
if tnet.nettype[1] == 'u':
k_is2 = tnet.get_network_when(j=i, i=ci, t=t)
k_is = pd.concat([k_is, k_is2])
if len(k_is) > 0:
if tnet.nettype[0] == 'b':
k_is = len(k_is)
else:
k_is = k_is['weight'].sum()
part[i, t] += np.square(k_is / k_i)
part[i_at_t, t] = 1 - part[i_at_t, t]
if decay is not None and t > 0:
part[i_at_t, t] += decay * part[i_at_t, t - 1]
else:
for t in np.arange(0, tnet.netshape[1]):
snapshot = tnet.get_network_when(t=t)
if tnet.nettype[1] == 'd':
i_at_t = snapshot['i'].values
else:
i_at_t = np.concatenate([snapshot['i'].values, snapshot['j'
].values])
i_at_t = np.unique(i_at_t).tolist()
i_at_t = list(map(int, i_at_t))
for i in i_at_t:
for tc in np.arange(0, tnet.netshape[1]):
C = communities[:, tc]
if tnet.nettype[1] == 'd':
df = tnet.get_network_when(i=i, t=t)
j_at_t = df['j'].values
if tnet.nettype == 'wd':
k_i = df['weight'].sum()
elif tnet.nettype == 'bd':
k_i = len(df)
elif tnet.nettype[1] == 'u':
df = tnet.get_network_when(ij=i, t=t)
j_at_t = np.concatenate([df['i'].values, df['j'].
values])
if tnet.nettype == 'wu':
k_i = df['weight'].sum()
elif tnet.nettype == 'bu':
k_i = len(df)
j_at_t = list(map(int, j_at_t))
for c in np.unique(C[j_at_t]):
ci = np.where(C == c)[0].tolist()
k_is = tnet.get_network_when(i=i, j=ci, t=t)
if tnet.nettype[1] == 'u':
k_is2 = tnet.get_network_when(j=i, i=ci, t=t)
k_is = pd.concat([k_is, k_is2])
if tnet.nettype[0] == 'b':
k_is = len(k_is)
else:
k_is = k_is['weight'].sum()
part[i, t] += np.square(k_is / k_i)
part[i, t] = part[i, t] / tnet.netshape[1]
part[i_at_t, t] = 1 - part[i_at_t, t]
if decay is not None and t > 0:
part[i_at_t, t] += decay * part[i_at_t, t - 1]
part[np.isnan(part) == 1] = 0
return part
| temporal_participation_coeff | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tnet, communities=None, decay=None, removeneg=False):\n if communities is None:\n if isinstance(tnet, dict):\n if 'communities' in tnet.keys():\n communities = tnet['communities']\n else:\n raise ValueError('Community index not found')\n else:\n raise ValueError('Community must be provided for graphlet input')\n tnet = process_input(tnet, ['C', 'G', 'TN'], 'TN')\n if tnet.nettype[0] == 'w':\n if tnet.hdf5 == False:\n if sum(tnet.network['weight'] < 0) > 0 and not removeneg:\n print(\n 'TENETO WARNING: negative edges exist when calculating participation coefficient.'\n )\n else:\n tnet.network['weight'][tnet.network['weight'] < 0] = 0\n part = np.zeros([tnet.netshape[0], tnet.netshape[1]])\n if len(communities.shape) == 1:\n for t in np.arange(0, tnet.netshape[1]):\n C = communities\n snapshot = tnet.get_network_when(t=t)\n if tnet.nettype[1] == 'd':\n i_at_t = snapshot['i'].values\n else:\n i_at_t = np.concatenate([snapshot['i'].values, snapshot['j'\n ].values])\n i_at_t = np.unique(i_at_t).tolist()\n i_at_t = list(map(int, i_at_t))\n for i in i_at_t:\n if tnet.nettype[1] == 'd':\n df = tnet.get_network_when(i=i, t=t)\n j_at_t = df['j'].values\n if tnet.nettype == 'wd':\n k_i = df['weight'].sum()\n elif tnet.nettype == 'bd':\n k_i = len(df)\n elif tnet.nettype[1] == 'u':\n df = tnet.get_network_when(ij=i, t=t)\n j_at_t = np.concatenate([df['i'].values, df['j'].values])\n if tnet.nettype == 'wu':\n k_i = df['weight'].sum()\n elif tnet.nettype == 'bu':\n k_i = len(df)\n j_at_t = list(map(int, j_at_t))\n for c in np.unique(C[j_at_t]):\n ci = np.where(C == c)[0].tolist()\n k_is = tnet.get_network_when(i=i, j=ci, t=t)\n if tnet.nettype[1] == 'u':\n k_is2 = tnet.get_network_when(j=i, i=ci, t=t)\n k_is = pd.concat([k_is, k_is2])\n if len(k_is) > 0:\n if tnet.nettype[0] == 'b':\n k_is = len(k_is)\n else:\n k_is = k_is['weight'].sum()\n part[i, t] += np.square(k_is / k_i)\n part[i_at_t, t] = 1 - part[i_at_t, t]\n if decay is not None and t > 0:\n part[i_at_t, t] += decay * part[i_at_t, t - 1]\n else:\n for t in np.arange(0, tnet.netshape[1]):\n snapshot = tnet.get_network_when(t=t)\n if tnet.nettype[1] == 'd':\n i_at_t = snapshot['i'].values\n else:\n i_at_t = np.concatenate([snapshot['i'].values, snapshot['j'\n ].values])\n i_at_t = np.unique(i_at_t).tolist()\n i_at_t = list(map(int, i_at_t))\n for i in i_at_t:\n for tc in np.arange(0, tnet.netshape[1]):\n C = communities[:, tc]\n if tnet.nettype[1] == 'd':\n df = tnet.get_network_when(i=i, t=t)\n j_at_t = df['j'].values\n if tnet.nettype == 'wd':\n k_i = df['weight'].sum()\n elif tnet.nettype == 'bd':\n k_i = len(df)\n elif tnet.nettype[1] == 'u':\n df = tnet.get_network_when(ij=i, t=t)\n j_at_t = np.concatenate([df['i'].values, df['j'].\n values])\n if tnet.nettype == 'wu':\n k_i = df['weight'].sum()\n elif tnet.nettype == 'bu':\n k_i = len(df)\n j_at_t = list(map(int, j_at_t))\n for c in np.unique(C[j_at_t]):\n ci = np.where(C == c)[0].tolist()\n k_is = tnet.get_network_when(i=i, j=ci, t=t)\n if tnet.nettype[1] == 'u':\n k_is2 = tnet.get_network_when(j=i, i=ci, t=t)\n k_is = pd.concat([k_is, k_is2])\n if tnet.nettype[0] == 'b':\n k_is = len(k_is)\n else:\n k_is = k_is['weight'].sum()\n part[i, t] += np.square(k_is / k_i)\n part[i, t] = part[i, t] / tnet.netshape[1]\n part[i_at_t, t] = 1 - part[i_at_t, t]\n if decay is not None and t > 0:\n part[i_at_t, t] += decay * part[i_at_t, t - 1]\n part[np.isnan(part) == 1] = 0\n return part\n",
"role": "user"
},
{
"content": "temporal_participation_coeff",
"role": "assistant"
}
] |
def x(tctc_mat, comp, tau, sigma, kappa):
communityinfo = {}
communityinfo['community'] = []
communityinfo['start'] = np.empty(0)
communityinfo['end'] = np.empty(0)
communityinfo['size'] = np.empty(0)
for i, tcomp in enumerate(comp):
if len(tcomp) > 0:
for traj in tcomp:
ignore = 0
preexisting = 0
if i != 0:
cutoff = i - 1 - kappa
if cutoff < 0:
cutoff = 0
if np.any(np.sum(np.sum(tctc_mat[traj, :, cutoff:i][:,
traj], axis=0), axis=0) == np.power(len(traj), 2)):
for checknode in np.where(communityinfo['end'] >=
cutoff)[0]:
if traj == communityinfo['community'][checknode]:
ignore = 1
if ignore == 0:
for checknode in np.where(communityinfo['end'] >=
cutoff)[0]:
if set(communityinfo['community'][checknode]
).issuperset(traj):
preexisting = 1
if ignore == 0:
approxmaxlength = tau * 2
a = np.sum(np.sum(tctc_mat[traj, :, i:i +
approxmaxlength][:, traj], axis=0), axis=0)
if len(traj) * len(traj) * approxmaxlength == a.sum():
ok = 0
ii = 1
while ok == 0:
b = np.sum(np.sum(tctc_mat[traj, :, i +
approxmaxlength * ii:i + approxmaxlength *
(ii + 1)][:, traj], axis=0), axis=0)
a = np.append(a, b)
if len(traj) * len(traj
) * approxmaxlength != b.sum():
ok = 1
if i + approxmaxlength * (ii + 1) > tctc_mat.shape[
-1]:
ok = 1
ii += 1
a = np.where(a == np.power(len(traj), 2))[0]
if len(a) == 1:
stopind = i + 1
else:
a = np.append(a, a.max() + kappa + 2)
stopind = i + np.split(a, np.where(np.diff(a) >
kappa + 1)[0] + 1)[0][-1] + 1
if (stopind - i >= tau or preexisting == 1) and len(traj
) >= sigma:
communityinfo['community'].append(sorted(traj))
communityinfo['start'] = np.append(communityinfo[
'start'], int(i))
communityinfo['end'] = np.append(communityinfo[
'end'], int(stopind))
communityinfo['size'] = np.append(communityinfo[
'size'], len(traj))
communityinfo = pd.DataFrame(communityinfo)
communityinfo['start'] = communityinfo['start'].astype(int)
communityinfo['end'] = communityinfo['end'].astype(int)
badrows = []
for v in communityinfo.iterrows():
skipselrule = communityinfo['end'] == v[1]['end']
for u in communityinfo[skipselrule].iterrows():
a = 1
if u[1]['start'] > v[1]['start'] and sorted(u[1]['community']
) == sorted(v[1]['community']):
badrows.append(u[0])
communityinfo = communityinfo.drop(badrows)
for v in communityinfo.iterrows():
skipselrule = (communityinfo['end'] <= v[1]['start']) & (
communityinfo['end'] + kappa >= v[1]['start'])
for u in communityinfo[skipselrule].iterrows():
a = 1
if set(u[1]['community']).issuperset(v[1]['community']):
communityinfo.loc[v[0], 'start'] = u[1]['start']
communityinfo['length'] = np.array(communityinfo['end']) - np.array(
communityinfo['start'])
communityinfo = communityinfo[communityinfo['length'] >= tau]
communityinfo = communityinfo[communityinfo['size'] >= sigma]
badrows = []
if kappa > 0:
for v in communityinfo.iterrows():
skipselrule = (communityinfo['end'] == v[1]['end']) & (
communityinfo['start'] < v[1]['start'])
for u in communityinfo[skipselrule].iterrows():
if set(v[1]['community']).issubset(u[1]['community']):
badrows.append(v[0])
communityinfo = communityinfo.drop(badrows)
return communityinfo
| partition_inference | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tctc_mat, comp, tau, sigma, kappa):\n communityinfo = {}\n communityinfo['community'] = []\n communityinfo['start'] = np.empty(0)\n communityinfo['end'] = np.empty(0)\n communityinfo['size'] = np.empty(0)\n for i, tcomp in enumerate(comp):\n if len(tcomp) > 0:\n for traj in tcomp:\n ignore = 0\n preexisting = 0\n if i != 0:\n cutoff = i - 1 - kappa\n if cutoff < 0:\n cutoff = 0\n if np.any(np.sum(np.sum(tctc_mat[traj, :, cutoff:i][:,\n traj], axis=0), axis=0) == np.power(len(traj), 2)):\n for checknode in np.where(communityinfo['end'] >=\n cutoff)[0]:\n if traj == communityinfo['community'][checknode]:\n ignore = 1\n if ignore == 0:\n for checknode in np.where(communityinfo['end'] >=\n cutoff)[0]:\n if set(communityinfo['community'][checknode]\n ).issuperset(traj):\n preexisting = 1\n if ignore == 0:\n approxmaxlength = tau * 2\n a = np.sum(np.sum(tctc_mat[traj, :, i:i +\n approxmaxlength][:, traj], axis=0), axis=0)\n if len(traj) * len(traj) * approxmaxlength == a.sum():\n ok = 0\n ii = 1\n while ok == 0:\n b = np.sum(np.sum(tctc_mat[traj, :, i + \n approxmaxlength * ii:i + approxmaxlength *\n (ii + 1)][:, traj], axis=0), axis=0)\n a = np.append(a, b)\n if len(traj) * len(traj\n ) * approxmaxlength != b.sum():\n ok = 1\n if i + approxmaxlength * (ii + 1) > tctc_mat.shape[\n -1]:\n ok = 1\n ii += 1\n a = np.where(a == np.power(len(traj), 2))[0]\n if len(a) == 1:\n stopind = i + 1\n else:\n a = np.append(a, a.max() + kappa + 2)\n stopind = i + np.split(a, np.where(np.diff(a) > \n kappa + 1)[0] + 1)[0][-1] + 1\n if (stopind - i >= tau or preexisting == 1) and len(traj\n ) >= sigma:\n communityinfo['community'].append(sorted(traj))\n communityinfo['start'] = np.append(communityinfo[\n 'start'], int(i))\n communityinfo['end'] = np.append(communityinfo[\n 'end'], int(stopind))\n communityinfo['size'] = np.append(communityinfo[\n 'size'], len(traj))\n communityinfo = pd.DataFrame(communityinfo)\n communityinfo['start'] = communityinfo['start'].astype(int)\n communityinfo['end'] = communityinfo['end'].astype(int)\n badrows = []\n for v in communityinfo.iterrows():\n skipselrule = communityinfo['end'] == v[1]['end']\n for u in communityinfo[skipselrule].iterrows():\n a = 1\n if u[1]['start'] > v[1]['start'] and sorted(u[1]['community']\n ) == sorted(v[1]['community']):\n badrows.append(u[0])\n communityinfo = communityinfo.drop(badrows)\n for v in communityinfo.iterrows():\n skipselrule = (communityinfo['end'] <= v[1]['start']) & (\n communityinfo['end'] + kappa >= v[1]['start'])\n for u in communityinfo[skipselrule].iterrows():\n a = 1\n if set(u[1]['community']).issuperset(v[1]['community']):\n communityinfo.loc[v[0], 'start'] = u[1]['start']\n communityinfo['length'] = np.array(communityinfo['end']) - np.array(\n communityinfo['start'])\n communityinfo = communityinfo[communityinfo['length'] >= tau]\n communityinfo = communityinfo[communityinfo['size'] >= sigma]\n badrows = []\n if kappa > 0:\n for v in communityinfo.iterrows():\n skipselrule = (communityinfo['end'] == v[1]['end']) & (\n communityinfo['start'] < v[1]['start'])\n for u in communityinfo[skipselrule].iterrows():\n if set(v[1]['community']).issubset(u[1]['community']):\n badrows.append(v[0])\n communityinfo = communityinfo.drop(badrows)\n return communityinfo\n",
"role": "user"
},
{
"content": "partition_inference",
"role": "assistant"
}
] |
def x(data, tau, epsilon, sigma, kappa=0, largedataset=False, rule='flock',
noise=None, raw_signal='amplitude', output='array', tempdir=None, njobs
=1, largestonly=False):
if largedataset:
raise NotImplementedError(
'HDF5 implementation for large datasets is not available yet')
else:
N_data = data.shape[1]
if noise is not None:
if len(noise.shape) == 1:
noise = np.array(noise, ndmin=2).transpose()
N_data = data.shape[1]
data = np.hstack([data, noise])
N = data.shape[1]
if raw_signal == 'amplitude':
d = np.array([np.abs(data[:, n] - data[:, m]) for n in range(
data.shape[-1]) for m in range(data.shape[-1])])
d = np.reshape(d, [data.shape[-1], data.shape[-1], data.shape[0]])
elif raw_signal == 'phase':
analytic_signal = hilbert(data.transpose())
instantaneous_phase = np.angle(analytic_signal)
d = np.zeros([data.shape[1], data.shape[1], data.shape[0]])
for n in range(data.shape[1]):
for m in range(data.shape[1]):
d[n, m, :] = np.remainder(np.abs(instantaneous_phase[n,
:] - instantaneous_phase[m, :]), np.pi)
dat_shape = [int(d.shape[-1]), int(d.shape[0])]
tctc_mat = np.zeros([dat_shape[1], dat_shape[1], dat_shape[0]])
tctc_mat[:, :, :][d <= epsilon] = 1
t1 = 1
t2 = 2
while t1 != t2:
t1 = tctc_mat.sum()
cliques = []
if tctc_mat.sum() > 0:
if rule == 'flock':
cliques = [list(filter(lambda x: len(x) >= sigma and
len(set(x).intersection(np.arange(N_data, N + 1))) ==
0, nx.find_cliques(nx.Graph(tctc_mat[:, :, t])))) for
t in range(tctc_mat.shape[-1])]
elif rule == 'convoy':
cliques = [list(map(list, filter(lambda x: len(x) >=
sigma and len(set(x).intersection(np.arange(N_data,
N + 1))) == 0, nx.connected_components(nx.Graph(
tctc_mat[:, :, t]))))) for t in range(tctc_mat.
shape[-1])]
tctc_mat = np.zeros([dat_shape[1], dat_shape[1], dat_shape[0]])
for t in range(dat_shape[0]):
for c in cliques[t]:
cv = [[i] for i in c]
tctc_mat[cv, c, t] = 1
if tctc_mat.sum() > 0:
tctc_mat = np.dstack([np.zeros([dat_shape[1], dat_shape[1],
1]), tctc_mat, np.zeros([dat_shape[1], dat_shape[1],
tau + kappa])])
tctc_mat_community = np.array(tctc_mat.flatten())
tctc_mat_dif = np.append(tctc_mat_community, 0)
tctc_mat_dif = np.diff(tctc_mat_dif)
start_ones = np.where(tctc_mat_dif == 1)[0]
end_ones = np.where(tctc_mat_dif == -1)[0]
skip_ind = np.where(start_ones[1:] - end_ones[:-1] <= kappa)[0]
start_ones = np.delete(start_ones, skip_ind + 1)
end_ones = np.delete(end_ones, skip_ind)
traj_len = end_ones - start_ones
ind = start_ones[traj_len >= tau] + 1
l2 = traj_len[traj_len >= tau]
tctc_mat = np.zeros(tctc_mat_community.shape)
for i in range(len(ind)):
tctc_mat[ind[i]:ind[i] + l2[i]] = 1
tctc_mat = tctc_mat.reshape(dat_shape[1], dat_shape[1],
dat_shape[0] + kappa + tau + 1)
tctc_mat = tctc_mat[:, :, 1:dat_shape[0] + 1]
t2 = tctc_mat.sum()
tctc_mat = tctc_mat[:N_data, :N_data]
if output == 'array':
return tctc_mat
elif output == 'df':
if np.sum(tctc_mat) != 0:
df = partition_inference(tctc_mat, cliques, tau, sigma, kappa)
return df
else:
return []
| tctc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, tau, epsilon, sigma, kappa=0, largedataset=False, rule='flock',\n noise=None, raw_signal='amplitude', output='array', tempdir=None, njobs\n =1, largestonly=False):\n if largedataset:\n raise NotImplementedError(\n 'HDF5 implementation for large datasets is not available yet')\n else:\n N_data = data.shape[1]\n if noise is not None:\n if len(noise.shape) == 1:\n noise = np.array(noise, ndmin=2).transpose()\n N_data = data.shape[1]\n data = np.hstack([data, noise])\n N = data.shape[1]\n if raw_signal == 'amplitude':\n d = np.array([np.abs(data[:, n] - data[:, m]) for n in range(\n data.shape[-1]) for m in range(data.shape[-1])])\n d = np.reshape(d, [data.shape[-1], data.shape[-1], data.shape[0]])\n elif raw_signal == 'phase':\n analytic_signal = hilbert(data.transpose())\n instantaneous_phase = np.angle(analytic_signal)\n d = np.zeros([data.shape[1], data.shape[1], data.shape[0]])\n for n in range(data.shape[1]):\n for m in range(data.shape[1]):\n d[n, m, :] = np.remainder(np.abs(instantaneous_phase[n,\n :] - instantaneous_phase[m, :]), np.pi)\n dat_shape = [int(d.shape[-1]), int(d.shape[0])]\n tctc_mat = np.zeros([dat_shape[1], dat_shape[1], dat_shape[0]])\n tctc_mat[:, :, :][d <= epsilon] = 1\n t1 = 1\n t2 = 2\n while t1 != t2:\n t1 = tctc_mat.sum()\n cliques = []\n if tctc_mat.sum() > 0:\n if rule == 'flock':\n cliques = [list(filter(lambda x: len(x) >= sigma and \n len(set(x).intersection(np.arange(N_data, N + 1))) ==\n 0, nx.find_cliques(nx.Graph(tctc_mat[:, :, t])))) for\n t in range(tctc_mat.shape[-1])]\n elif rule == 'convoy':\n cliques = [list(map(list, filter(lambda x: len(x) >=\n sigma and len(set(x).intersection(np.arange(N_data,\n N + 1))) == 0, nx.connected_components(nx.Graph(\n tctc_mat[:, :, t]))))) for t in range(tctc_mat.\n shape[-1])]\n tctc_mat = np.zeros([dat_shape[1], dat_shape[1], dat_shape[0]])\n for t in range(dat_shape[0]):\n for c in cliques[t]:\n cv = [[i] for i in c]\n tctc_mat[cv, c, t] = 1\n if tctc_mat.sum() > 0:\n tctc_mat = np.dstack([np.zeros([dat_shape[1], dat_shape[1],\n 1]), tctc_mat, np.zeros([dat_shape[1], dat_shape[1], \n tau + kappa])])\n tctc_mat_community = np.array(tctc_mat.flatten())\n tctc_mat_dif = np.append(tctc_mat_community, 0)\n tctc_mat_dif = np.diff(tctc_mat_dif)\n start_ones = np.where(tctc_mat_dif == 1)[0]\n end_ones = np.where(tctc_mat_dif == -1)[0]\n skip_ind = np.where(start_ones[1:] - end_ones[:-1] <= kappa)[0]\n start_ones = np.delete(start_ones, skip_ind + 1)\n end_ones = np.delete(end_ones, skip_ind)\n traj_len = end_ones - start_ones\n ind = start_ones[traj_len >= tau] + 1\n l2 = traj_len[traj_len >= tau]\n tctc_mat = np.zeros(tctc_mat_community.shape)\n for i in range(len(ind)):\n tctc_mat[ind[i]:ind[i] + l2[i]] = 1\n tctc_mat = tctc_mat.reshape(dat_shape[1], dat_shape[1], \n dat_shape[0] + kappa + tau + 1)\n tctc_mat = tctc_mat[:, :, 1:dat_shape[0] + 1]\n t2 = tctc_mat.sum()\n tctc_mat = tctc_mat[:N_data, :N_data]\n if output == 'array':\n return tctc_mat\n elif output == 'df':\n if np.sum(tctc_mat) != 0:\n df = partition_inference(tctc_mat, cliques, tau, sigma, kappa)\n return df\n else:\n return []\n",
"role": "user"
},
{
"content": "tctc",
"role": "assistant"
}
] |
def x(tnet=None, paths=None, calc='global'):
if tnet is not None and paths is not None:
raise ValueError('Only network or path input allowed.')
if tnet is None and paths is None:
raise ValueError('No input.')
if tnet is not None:
paths = shortest_temporal_path(tnet)
pathmat = np.zeros([paths[['from', 'to']].max().max() + 1, paths[[
'from', 'to']].max().max() + 1, paths[['t_start']].max().max() + 1]
) * np.nan
pathmat[paths['from'].values, paths['to'].values, paths['t_start'].values
] = paths['temporal-distance']
if calc == 'global':
eff = 1 / np.nanmean(pathmat)
elif calc == 'node' or calc == 'node_from':
eff = 1 / np.nanmean(np.nanmean(pathmat, axis=2), axis=1)
elif calc == 'node_to':
eff = 1 / np.nanmean(np.nanmean(pathmat, axis=2), axis=0)
return eff
| temporal_efficiency | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tnet=None, paths=None, calc='global'):\n if tnet is not None and paths is not None:\n raise ValueError('Only network or path input allowed.')\n if tnet is None and paths is None:\n raise ValueError('No input.')\n if tnet is not None:\n paths = shortest_temporal_path(tnet)\n pathmat = np.zeros([paths[['from', 'to']].max().max() + 1, paths[[\n 'from', 'to']].max().max() + 1, paths[['t_start']].max().max() + 1]\n ) * np.nan\n pathmat[paths['from'].values, paths['to'].values, paths['t_start'].values\n ] = paths['temporal-distance']\n if calc == 'global':\n eff = 1 / np.nanmean(pathmat)\n elif calc == 'node' or calc == 'node_from':\n eff = 1 / np.nanmean(np.nanmean(pathmat, axis=2), axis=1)\n elif calc == 'node_to':\n eff = 1 / np.nanmean(np.nanmean(pathmat, axis=2), axis=0)\n return eff\n",
"role": "user"
},
{
"content": "temporal_efficiency",
"role": "assistant"
}
] |
def x(self, array):
if len(array.shape) == 2:
array = np.array(array, ndmin=3).transpose([1, 2, 0])
teneto.utils.check_TemporalNetwork_input(array, 'array')
uvals = np.unique(array)
if len(uvals) == 2 and 1 in uvals and 0 in uvals:
i, j, t = np.where(array == 1)
self.network = pd.DataFrame(data={'i': i, 'j': j, 't': t})
else:
i, j, t = np.where(array != 0)
w = array[array != 0]
self.network = pd.DataFrame(data={'i': i, 'j': j, 't': t, 'weight': w})
self.N = int(array.shape[0])
self.T = int(array.shape[-1])
self._update_network()
| network_from_array | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, array):\n if len(array.shape) == 2:\n array = np.array(array, ndmin=3).transpose([1, 2, 0])\n teneto.utils.check_TemporalNetwork_input(array, 'array')\n uvals = np.unique(array)\n if len(uvals) == 2 and 1 in uvals and 0 in uvals:\n i, j, t = np.where(array == 1)\n self.network = pd.DataFrame(data={'i': i, 'j': j, 't': t})\n else:\n i, j, t = np.where(array != 0)\n w = array[array != 0]\n self.network = pd.DataFrame(data={'i': i, 'j': j, 't': t, 'weight': w})\n self.N = int(array.shape[0])\n self.T = int(array.shape[-1])\n self._update_network()\n",
"role": "user"
},
{
"content": "network_from_array",
"role": "assistant"
}
] |
def x(self, df):
teneto.utils.check_TemporalNetwork_input(df, 'df')
self.network = df
self._update_network()
| network_from_df | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, df):\n teneto.utils.check_TemporalNetwork_input(df, 'df')\n self.network = df\n self._update_network()\n",
"role": "user"
},
{
"content": "network_from_df",
"role": "assistant"
}
] |
def x(self, edgelist):
teneto.utils.check_TemporalNetwork_input(edgelist, 'edgelist')
if len(edgelist[0]) == 4:
colnames = ['i', 'j', 't', 'weight']
elif len(edgelist[0]) == 3:
colnames = ['i', 'j', 't']
self.network = pd.DataFrame(edgelist, columns=colnames)
self._update_network()
| network_from_edgelist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, edgelist):\n teneto.utils.check_TemporalNetwork_input(edgelist, 'edgelist')\n if len(edgelist[0]) == 4:\n colnames = ['i', 'j', 't', 'weight']\n elif len(edgelist[0]) == 3:\n colnames = ['i', 'j', 't']\n self.network = pd.DataFrame(edgelist, columns=colnames)\n self._update_network()\n",
"role": "user"
},
{
"content": "network_from_edgelist",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.