source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, archive_name, authority_name, archive_path, versioned,
raise_on_err=True, metadata=None, user_config=None, tags=None, helper=False
):
archive_metadata = self._create_archive_metadata(archive_name=
archive_name, authority_name=authority_name, archive_path=
archive_path, versioned=versioned, raise_on_err=raise_on_err,
metadata=metadata, user_config=user_config, tags=tags, helper=helper)
if raise_on_err:
self._create_archive(archive_name, archive_metadata)
else:
self._create_if_not_exists(archive_name, archive_metadata)
return self.get_archive(archive_name)
| create_archive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, archive_name, authority_name, archive_path, versioned,\n raise_on_err=True, metadata=None, user_config=None, tags=None, helper=False\n ):\n arch... |
def x(self, archive_name):
try:
spec = self._get_archive_spec(archive_name)
return spec
except KeyError:
raise KeyError('Archive "{}" not found'.format(archive_name))
| get_archive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, archive_name):\n try:\n spec = self._get_archive_spec(archive_name)\n return spec\n except KeyError:\n raise KeyError('Archive... |
def x(self, archive_name, tags):
updated_tag_list = list(self._get_tags(archive_name))
for tag in tags:
if tag not in updated_tag_list:
updated_tag_list.append(tag)
self._set_tags(archive_name, updated_tag_list)
| add_tags | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, archive_name, tags):\n updated_tag_list = list(self._get_tags(archive_name))\n for tag in tags:\n if tag not in updated_tag_list:\n ... |
def x(self, archive_name, tags):
updated_tag_list = list(self._get_tags(archive_name))
for tag in tags:
if tag in updated_tag_list:
updated_tag_list.remove(tag)
self._set_tags(archive_name, updated_tag_list)
| delete_tags | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, archive_name, tags):\n updated_tag_list = list(self._get_tags(archive_name))\n for tag in tags:\n if tag in updated_tag_list:\n u... |
def x(self, tags):
lowered_str_tags = []
for tag in tags:
lowered_str_tags.append(str(tag).lower())
return lowered_str_tags
| normalize_tags | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tags):\n lowered_str_tags = []\n for tag in tags:\n lowered_str_tags.append(str(tag).lower())\n return lowered_str_tags\n",
"role": "... |
def x(self):
config = self.load_config()
html_generator = HTMLGenerator(self.cwd, config)
html_generator.build()
if self.args.get('--generator', None):
generator = self.args.get('--generator')
else:
generator = config.get('generator')
if generator == 'calibre':
EPUBClass = CalibreEPUBGenerator
PDFClass = CalibrePDFGenerator
elif generator == 'pandoc':
EPUBClass = PandocEPUBGenerator
PDFClass = PandocPDFGenerator
else:
raise ConfigurationError(
'Wrong configuration. Please check your config.json file.')
epub_generator = EPUBClass(self.cwd, config, self.args)
epub_generator.build()
if config.get('pdf', False) or self.args['--with-pdf']:
pdf_generator = PDFClass(self.cwd, config, self.args)
pdf_generator.build()
| build | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n config = self.load_config()\n html_generator = HTMLGenerator(self.cwd, config)\n html_generator.build()\n if self.args.get('--generator', ... |
def x(self, sql=None):
create_sql = 'CREATE DATABASE {self.db_name} WITH OWNER {self.user}'
create_sql = create_sql.format(**vars())
self.super_psql(['-c', create_sql])
if sql:
self.psql_string(sql)
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sql=None):\n create_sql = 'CREATE DATABASE {self.db_name} WITH OWNER {self.user}'\n create_sql = create_sql.format(**vars())\n self.super_psql([... |
def x(self, sql):
argv = [PostgresFinder.find_root() / 'psql', '--quiet', '-U', self.user,
'-h', self.host, '-p', self.port, '-f', '-', self.db_name]
popen = subprocess.Popen(argv, stdin=subprocess.PIPE)
popen.communicate(input=sql.encode('utf-8'))
if popen.returncode != 0:
raise subprocess.CalledProcessError(popen.returncode, argv)
| psql_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sql):\n argv = [PostgresFinder.find_root() / 'psql', '--quiet', '-U', self.user,\n '-h', self.host, '-p', self.port, '-f', '-', self.db_name]\n... |
def x(self, args):
argv = [PostgresFinder.find_root() / 'psql', '--quiet', '-U', self.user,
'-h', self.host, '-p', self.port] + args + [self.db_name]
subprocess.check_call(argv)
| psql | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args):\n argv = [PostgresFinder.find_root() / 'psql', '--quiet', '-U', self.user,\n '-h', self.host, '-p', self.port] + args + [self.db_name]\n... |
def x(self, input_string, *args):
"""
# I advise against using sqlalchemy here (it's more complicated than
# what we need), but here's an implementation Just In Case. -jps
import psycopg2, sqlalchemy
engine = sqlalchemy.create_engine(
'postgres://%s@%s:%s/%s' %
(self.user, self.host, self.port, self.db_name),
echo=False, poolclass=sqlalchemy.pool.NullPool)
connection = engine.connect()
result = connection.execute(input_string, *args)
try:
# sqlalchemy 0.6.7 offers a result.returns_rows attribute, but
# no prior version offers anything comparable. A tacky
# workaround...
try:
return result.fetchall()
except psycopg2.ProgrammingError:
return None
finally:
result.close()
connection.close()
"""
psycopg2 = importlib.import_module('psycopg2')
importlib.import_module('psycopg2.extensions')
connection = psycopg2.connect(user=self.user, host=self.host, port=self
.port, database=self.db_name)
connection.set_isolation_level(psycopg2.extensions.
ISOLATION_LEVEL_AUTOCOMMIT)
try:
cursor = connection.cursor()
cursor.execute(input_string, args)
try:
return cursor.fetchall()
except psycopg2.ProgrammingError:
return None
finally:
connection.close()
| sql | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, input_string, *args):\n \"\"\"\n # I advise against using sqlalchemy here (it's more complicated than\n # what we need), but here's an i... |
def x(self, args):
argv = [PostgresFinder.find_root() / 'psql', '--quiet', '-U', self.
superuser, '-h', self.host, '-p', self.port] + args
subprocess.check_call(argv)
| super_psql | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args):\n argv = [PostgresFinder.find_root() / 'psql', '--quiet', '-U', self.\n superuser, '-h', self.host, '-p', self.port] + args\n subproc... |
def x(self):
self.stop()
if self.base_pathname is not None:
self._robust_remove(self.base_pathname)
| destroy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.stop()\n if self.base_pathname is not None:\n self._robust_remove(self.base_pathname)\n",
"role": "user"
},
{
"content":... |
def x(path):
tries = itertools.count()
max_tries = 50
while os.path.isdir(path):
try:
shutil.rmtree(path)
except WindowsError:
if next(tries) >= max_tries:
raise
time.sleep(0.2)
| robust_remove | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n tries = itertools.count()\n max_tries = 50\n while os.path.isdir(path):\n try:\n shutil.rmtree(path)\n except Window... |
def x(self, quiet=True, locale='en_US.UTF-8'):
if self.base_pathname in [None, '']:
self.base_pathname = tempfile.mkdtemp()
if not os.path.isdir(self.base_pathname):
os.mkdir(self.base_pathname)
stdout = DEV_NULL if quiet else None
arguments = ['--auth=trust', '--username', self.superuser]
if locale is not None:
arguments.extend(('--locale', locale))
cmd = [PostgresFinder.find_root() / 'initdb'] + arguments + ['--pgdata',
self.base_pathname]
log.info('Initializing PostgreSQL with command: {}'.format(' '.join(cmd)))
subprocess.check_call(cmd, stdout=stdout)
| initdb | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quiet=True, locale='en_US.UTF-8'):\n if self.base_pathname in [None, '']:\n self.base_pathname = tempfile.mkdtemp()\n if not os.path.isdir(s... |
def x(self, tries=10):
if not self.base_pathname:
return False
if tries < 1:
raise ValueError('tries must be > 0')
cmd = [PostgresFinder.find_root() / 'pg_ctl', 'status', '-D', self.
base_pathname]
votes = 0
while abs(votes) < tries:
time.sleep(0.1)
running = subprocess.call(cmd, stdout=DEV_NULL) == 0
if running and votes >= 0:
votes += 1
elif not running and votes <= 0:
votes -= 1
else:
votes = 0
return votes > 0
| is_running | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tries=10):\n if not self.base_pathname:\n return False\n if tries < 1:\n raise ValueError('tries must be > 0')\n cmd = [PostgresFi... |
def x(self):
cmd = self._psql_cmd()
for i in range(50, -1, -1):
res = subprocess.call(cmd, stdin=DEV_NULL, stdout=DEV_NULL, stderr=
DEV_NULL)
if res == 0:
break
time.sleep(0.2)
return i != 0
| ready | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n cmd = self._psql_cmd()\n for i in range(50, -1, -1):\n res = subprocess.call(cmd, stdin=DEV_NULL, stdout=DEV_NULL, stderr=\n D... |
def x(self):
if not self.base_pathname:
return None
try:
pidfile = os.path.join(self.base_pathname, 'postmaster.pid')
return int(open(pidfile).readline())
except (IOError, OSError):
return None
| pid | [
{
"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.base_pathname:\n return None\n try:\n pidfile = os.path.join(self.base_pathname, 'postmaster.pid')\n return int... |
def x():
cmd = [PostgresFinder.find_root() / 'pg_ctl', '--version']
results = subprocess.check_output(cmd).decode('utf-8')
match = re.search('(\\d+\\.\\d+(\\.\\d+)?)', results)
if match:
ver_string = match.group(0)
return tuple(int(x) for x in ver_string.split('.'))
| get_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n cmd = [PostgresFinder.find_root() / 'pg_ctl', '--version']\n results = subprocess.check_output(cmd).decode('utf-8')\n match = re.search('(\\\\d+\... |
def x(self):
log.info('Starting PostgreSQL at %s:%s', self.host, self.port)
if not self.base_pathname:
tmpl = 'Invalid base_pathname: %r. Did you forget to call .initdb()?'
raise NotInitializedError(tmpl % self.base_pathname)
conf_file = os.path.join(self.base_pathname, 'postgresql.conf')
if not os.path.exists(conf_file):
tmpl = 'No config file at: %r. Did you forget to call .initdb()?'
raise NotInitializedError(tmpl % self.base_pathname)
if not self.is_running():
version = self.get_version()
if version and version >= (9, 3):
socketop = 'unix_socket_directories'
else:
socketop = 'unix_socket_directory'
postgres_options = ['-c', '{}={}'.format(socketop, self.
base_pathname), '-h', self.host, '-i', '-p', self.port]
subprocess.check_call([PostgresFinder.find_root() / 'pg_ctl',
'start', '-D', self.base_pathname, '-l', os.path.join(self.
base_pathname, 'postgresql.log'), '-o', subprocess.list2cmdline
(postgres_options)])
if not self.is_running():
tmpl = (
'%s aborted immediately after launch, check postgresql.log in storage dir'
)
raise RuntimeError(tmpl % self)
| start | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n log.info('Starting PostgreSQL at %s:%s', self.host, self.port)\n if not self.base_pathname:\n tmpl = 'Invalid base_pathname: %r. Did you... |
def x(self):
log.info('Stopping PostgreSQL at %s:%s', self.host, self.port)
if self._is_running():
cmd = [PostgresFinder.find_root() / 'pg_ctl', 'stop', '-D', self.
base_pathname, '-m', 'fast']
subprocess.check_call(cmd)
if self.pid:
os.kill(self.pid, signal.SIGTERM)
while self._is_running():
time.sleep(0.1)
| stop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n log.info('Stopping PostgreSQL at %s:%s', self.host, self.port)\n if self._is_running():\n cmd = [PostgresFinder.find_root() / 'pg_ctl', '... |
def x(self, db_name, **kwargs):
db = PostgresDatabase(db_name, host=self.host, port=self.port,
superuser=self.superuser, **kwargs)
db.ensure_user()
db.create()
return db
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, db_name, **kwargs):\n db = PostgresDatabase(db_name, host=self.host, port=self.port,\n superuser=self.superuser, **kwargs)\n db.ensure_user(... |
def x(self, search_terms, begins_with=None):
kwargs = dict(ProjectionExpression='#id', ExpressionAttributeNames={
'#id': '_id'})
if len(search_terms) > 0:
kwargs['FilterExpression'] = reduce(lambda x, y: x & y, [Attr(
'tags').contains(arg) for arg in search_terms])
if begins_with:
if 'FilterExpression' in kwargs:
kwargs['FilterExpression'] = kwargs['FilterExpression'] & Key('_id'
).begins_with(begins_with)
else:
kwargs['FilterExpression'] = Key('_id').begins_with(begins_with)
while True:
res = self._table.scan(**kwargs)
for r in res['Items']:
yield r['_id']
if 'LastEvaluatedKey' in res:
kwargs['ExclusiveStartKey'] = res['LastEvaluatedKey']
else:
break
| search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, search_terms, begins_with=None):\n kwargs = dict(ProjectionExpression='#id', ExpressionAttributeNames={\n '#id': '_id'})\n if len(search_ter... |
def x(self, archive_name, version_metadata):
command = 'SET version_history = list_append(version_history, :v)'
self._table.update_item(Key={'_id': archive_name}, UpdateExpression=
command, ExpressionAttributeValues={':v': [version_metadata]},
ReturnValues='ALL_NEW')
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, archive_name, version_metadata):\n command = 'SET version_history = list_append(version_history, :v)'\n self._table.update_item(Key={'_id': archive... |
def x(self, table_name):
if table_name in self._get_table_names():
raise KeyError('Table "{}" already exists'.format(table_name))
try:
table = self._resource.create_table(TableName=table_name, KeySchema
=[{'AttributeName': '_id', 'KeyType': 'HASH'}],
AttributeDefinitions=[{'AttributeName': '_id', 'AttributeType':
'S'}], ProvisionedThroughput={'ReadCapacityUnits': 123,
'WriteCapacityUnits': 123})
table.meta.client.get_waiter('table_exists').wait(TableName=table_name)
except ValueError:
msg = 'Table creation failed'
assert table_name in self._get_table_names(), msg
| create_archive_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name):\n if table_name in self._get_table_names():\n raise KeyError('Table \"{}\" already exists'.format(table_name))\n try:\n ... |
def x(self, table_name, spec_documents):
_spec_table = self._resource.Table(table_name + '.spec')
for doc in spec_documents:
_spec_table.put_item(Item=doc)
| create_spec_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name, spec_documents):\n _spec_table = self._resource.Table(table_name + '.spec')\n for doc in spec_documents:\n _spec_table.put_item(... |
def x(self, document_name, spec):
self._spec_table.update_item(Key={'_id': '{}'.format(document_name)},
UpdateExpression='SET config = :v', ExpressionAttributeValues={':v':
spec}, ReturnValues='ALL_NEW')
| update_spec_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, document_name, spec):\n self._spec_table.update_item(Key={'_id': '{}'.format(document_name)},\n UpdateExpression='SET config = :v', ExpressionA... |
def x(self, archive_name, archive_metadata):
archive_metadata_current = self._get_archive_metadata(archive_name)
archive_metadata_current.update(archive_metadata)
for k, v in archive_metadata_current.items():
if v is None:
del archive_metadata_current[k]
self._table.update_item(Key={'_id': archive_name}, UpdateExpression=
'SET archive_metadata = :v', ExpressionAttributeValues={':v':
archive_metadata_current}, ReturnValues='ALL_NEW')
| update_metadata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, archive_name, archive_metadata):\n archive_metadata_current = self._get_archive_metadata(archive_name)\n archive_metadata_current.update(archive_me... |
def x(self, archive_name, metadata):
archive_exists = False
try:
self.get_archive(archive_name)
archive_exists = True
except KeyError:
pass
if archive_exists:
raise KeyError('{} already exists. Use get_archive() to view'.
format(archive_name))
self._table.put_item(Item=metadata)
| create_archive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, archive_name, metadata):\n archive_exists = False\n try:\n self.get_archive(archive_name)\n archive_exists = True\n except KeyErro... |
def x(self, archive_names):
archive_names = list(archive_names)
MAX_QUERY_LENGTH = 100
archives = []
for query_index in range(0, len(archive_names), MAX_QUERY_LENGTH):
current_query = {'Keys': [{'_id': i} for i in archive_names[
query_index:query_index + MAX_QUERY_LENGTH]]}
attempts = 0
res = {}
while True:
if attempts > 0 and len(res.get('UnprocessedKeys', {})) > 0:
current_query = res['UnprocessedKeys'][self._table_name]
elif attempts > 0 and len(res.get('UnprocessedKeys', {})) == 0:
break
res = self._resource.batch_get_item(RequestItems={self.
_table_name: current_query})
archives.extend(res['Responses'][self._table_name])
attempts += 1
return archives
| batch_get_archive_listing | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, archive_names):\n archive_names = list(archive_names)\n MAX_QUERY_LENGTH = 100\n archives = []\n for query_index in range(0, len(archive_name... |
def x(backend_name):
try:
if len(backend_name.split('.')) > 1:
mod = import_module(backend_name)
else:
mod = import_module('spamc.backend_%s' % backend_name)
return mod
except ImportError:
error_msg = "%s isn't a spamc backend" % backend_name
raise ImportError(error_msg)
| load_backend | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(backend_name):\n try:\n if len(backend_name.split('.')) > 1:\n mod = import_module(backend_name)\n else:\n mod = import_... |
def x(stream, stream_id, role):
parser = objectify.makeparser(remove_blank_text=True)
v = objectify.fromstring(voeventparse.definitions.v2_0_skeleton_str,
parser=parser)
_remove_root_tag_prefix(v)
if not isinstance(stream_id, string_types):
stream_id = repr(stream_id)
v.attrib['ivorn'] = ''.join(('ivo://', stream, '#', stream_id))
v.attrib['role'] = role
etree.SubElement(v, 'Who')
etree.SubElement(v, 'What')
etree.SubElement(v, 'WhereWhen')
v.Who.Description = (
'VOEvent created with voevent-parse, version {}. See https://github.com/timstaley/voevent-parse for details.'
.format(__version__))
return v
| Voevent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stream, stream_id, role):\n parser = objectify.makeparser(remove_blank_text=True)\n v = objectify.fromstring(voeventparse.definitions.v2_0_skeleton_str,\... |
def x(s, check_version=True):
v = objectify.fromstring(s)
_remove_root_tag_prefix(v)
if check_version:
version = v.attrib['version']
if not version == '2.0':
raise ValueError('Unsupported VOEvent schema version:' + version)
return v
| loads | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, check_version=True):\n v = objectify.fromstring(s)\n _remove_root_tag_prefix(v)\n if check_version:\n version = v.attrib['version']\n ... |
def x(file, check_version=True):
s = file.read()
return loads(s, check_version)
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file, check_version=True):\n s = file.read()\n return loads(s, check_version)\n",
"role": "user"
},
{
"content": "load",
"role": "assista... |
def x(voevent, pretty_print=False, xml_declaration=True, encoding='UTF-8'):
vcopy = copy.deepcopy(voevent)
_return_to_standard_xml(vcopy)
s = etree.tostring(vcopy, pretty_print=pretty_print, xml_declaration=
xml_declaration, encoding=encoding)
return s
| dumps | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(voevent, pretty_print=False, xml_declaration=True, encoding='UTF-8'):\n vcopy = copy.deepcopy(voevent)\n _return_to_standard_xml(vcopy)\n s = etree.to... |
def x(voevent, file, pretty_print=True, xml_declaration=True):
file.write(dumps(voevent, pretty_print, xml_declaration))
| dump | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(voevent, file, pretty_print=True, xml_declaration=True):\n file.write(dumps(voevent, pretty_print, xml_declaration))\n",
"role": "user"
},
{
"co... |
def x(voevent):
_return_to_standard_xml(voevent)
valid_bool = voevent_v2_0_schema.validate(voevent)
_remove_root_tag_prefix(voevent)
return valid_bool
| valid_as_v2_0 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(voevent):\n _return_to_standard_xml(voevent)\n valid_bool = voevent_v2_0_schema.validate(voevent)\n _remove_root_tag_prefix(voevent)\n return valid... |
def x(voevent, date=None, author_ivorn=None):
if author_ivorn is not None:
voevent.Who.AuthorIVORN = ''.join(('ivo://', author_ivorn))
if date is not None:
voevent.Who.Date = date.replace(microsecond=0).isoformat()
| set_who | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(voevent, date=None, author_ivorn=None):\n if author_ivorn is not None:\n voevent.Who.AuthorIVORN = ''.join(('ivo://', author_ivorn))\n if date is ... |
def x(voevent, title=None, shortName=None, logoURL=None, contactName=None,
contactEmail=None, contactPhone=None, contributor=None):
AuthChildren = locals()
AuthChildren.pop('voevent')
if not voevent.xpath('Who/Author'):
etree.SubElement(voevent.Who, 'Author')
for k, v in AuthChildren.items():
if v is not None:
voevent.Who.Author[k] = v
| set_author | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(voevent, title=None, shortName=None, logoURL=None, contactName=None,\n contactEmail=None, contactPhone=None, contributor=None):\n AuthChildren = locals()... |
def x(voevent, coords, obs_time, observatory_location,
allow_tz_naive_datetime=False):
if obs_time.tzinfo is not None:
utc_naive_obs_time = obs_time.astimezone(pytz.utc).replace(tzinfo=None)
elif not allow_tz_naive_datetime:
raise ValueError(
"Datetime passed without tzinfo, cannot be sure if it is really a UTC timestamp. Please verify function call and either add tzinfo or pass parameter 'allow_tz_naive_obstime=True', as appropriate"
)
else:
utc_naive_obs_time = obs_time
obs_data = etree.SubElement(voevent.WhereWhen, 'ObsDataLocation')
etree.SubElement(obs_data, 'ObservatoryLocation', id=observatory_location)
ol = etree.SubElement(obs_data, 'ObservationLocation')
etree.SubElement(ol, 'AstroCoordSystem', id=coords.system)
ac = etree.SubElement(ol, 'AstroCoords', coord_system_id=coords.system)
time = etree.SubElement(ac, 'Time', unit='s')
instant = etree.SubElement(time, 'TimeInstant')
instant.ISOTime = utc_naive_obs_time.isoformat()
pos2d = etree.SubElement(ac, 'Position2D', unit=coords.units)
pos2d.Name1 = 'RA'
pos2d.Name2 = 'Dec'
pos2d_val = etree.SubElement(pos2d, 'Value2')
pos2d_val.C1 = coords.ra
pos2d_val.C2 = coords.dec
pos2d.Error2Radius = coords.err
| add_where_when | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(voevent, coords, obs_time, observatory_location,\n allow_tz_naive_datetime=False):\n if obs_time.tzinfo is not None:\n utc_naive_obs_time = obs_ti... |
def x(voevent, descriptions=None, references=None):
if not voevent.xpath('How'):
etree.SubElement(voevent, 'How')
if descriptions is not None:
for desc in _listify(descriptions):
etree.SubElement(voevent.How, 'Description')
voevent.How.Description[-1] = desc
if references is not None:
voevent.How.extend(_listify(references))
| add_how | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(voevent, descriptions=None, references=None):\n if not voevent.xpath('How'):\n etree.SubElement(voevent, 'How')\n if descriptions is not None:\n ... |
def x(voevent, importance=None, expires=None, inferences=None):
if not voevent.xpath('Why'):
etree.SubElement(voevent, 'Why')
if importance is not None:
voevent.Why.attrib['importance'] = str(importance)
if expires is not None:
voevent.Why.attrib['expires'] = expires.replace(microsecond=0
).isoformat()
if inferences is not None:
voevent.Why.extend(_listify(inferences))
| add_why | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(voevent, importance=None, expires=None, inferences=None):\n if not voevent.xpath('Why'):\n etree.SubElement(voevent, 'Why')\n if importance is not... |
def x(voevent, event_ivorns):
if not voevent.xpath('Citations'):
etree.SubElement(voevent, 'Citations')
voevent.Citations.extend(_listify(event_ivorns))
| add_citations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(voevent, event_ivorns):\n if not voevent.xpath('Citations'):\n etree.SubElement(voevent, 'Citations')\n voevent.Citations.extend(_listify(event_iv... |
def x(v):
if v.prefix:
etree.SubElement(v, 'original_prefix')
v['{}original_prefix'][0] = v.prefix
v.tag = v.tag.replace(''.join(('{', v.nsmap[v.prefix], '}')), '')
return
| remove_root_tag_prefix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(v):\n if v.prefix:\n etree.SubElement(v, 'original_prefix')\n v['{}original_prefix'][0] = v.prefix\n v.tag = v.tag.replace(''.join(('{'... |
def x(v):
if hasattr(v, 'original_prefix'):
original_prefix = v.original_prefix
del v.original_prefix
v.tag = ''.join(('{', v.nsmap[original_prefix], '}VOEvent'))
return
| reinsert_root_tag_prefix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(v):\n if hasattr(v, 'original_prefix'):\n original_prefix = v.original_prefix\n del v.original_prefix\n v.tag = ''.join(('{', v.nsmap[o... |
def x(x):
if isinstance(x, string_types):
return [x]
elif isinstance(x, collections.Iterable):
return x
else:
return [x]
| listify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x):\n if isinstance(x, string_types):\n return [x]\n elif isinstance(x, collections.Iterable):\n return x\n else:\n return [x]\n"... |
def x(self, label=None, per_page=20, page=1):
params = {'per_page': per_page, 'page': page}
if label:
params['label'] = label
return self.request.get('', params)
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, label=None, per_page=20, page=1):\n params = {'per_page': per_page, 'page': page}\n if label:\n params['label'] = label\n return self.req... |
def x(self, label, status=None, master=None):
params = {'label': label}
if status:
params['status'] = status
if master:
params['master'] = master
return self.request.post('', params)
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, label, status=None, master=None):\n params = {'label': label}\n if status:\n params['status'] = status\n if master:\n params['mast... |
def x(self, id, label=None, status=None, master=None):
params = {}
if label:
params['label'] = label
if status:
params['status'] = status
if master:
params['master'] = master
return self.request.put(str(id), params)
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, label=None, status=None, master=None):\n params = {}\n if label:\n params['label'] = label\n if status:\n params['status'] = s... |
def x(self, id, service='facebook', type='analysis'):
return self.request.get(service + '/task/' + type + '/' + id)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, service='facebook', type='analysis'):\n return self.request.get(service + '/task/' + type + '/' + id)\n",
"role": "user"
},
{
"content... |
def x(self, per_page=None, page=None, status=None, service='facebook'):
params = {}
if per_page is not None:
params['per_page'] = per_page
if page is not None:
params['page'] = page
if status:
params['status'] = status
return self.request.get(service + '/task', params)
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, per_page=None, page=None, status=None, service='facebook'):\n params = {}\n if per_page is not None:\n params['per_page'] = per_page\n if... |
def x(self, subscription_id, name, parameters, type='analysis', service=
'facebook'):
params = {'subscription_id': subscription_id, 'name': name,
'parameters': parameters, 'type': type}
return self.request.post(service + '/task/', params)
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subscription_id, name, parameters, type='analysis', service=\n 'facebook'):\n params = {'subscription_id': subscription_id, 'name': name,\n ... |
def x(self, data, files, name):
upload = super(StickyUploadWidget, self).value_from_datadict(data,
files, name)
if upload is not None:
return upload
else:
hidden_name = self.get_hidden_name(name)
value = data.get(hidden_name, None)
if value is not None:
upload = open_stored_file(value, self.url)
if upload is not None:
setattr(upload, '_seralized_location', value)
return upload
| value_from_datadict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, files, name):\n upload = super(StickyUploadWidget, self).value_from_datadict(data,\n files, name)\n if upload is not None:\n re... |
def x(self, name, value, attrs=None, renderer=None):
location = getattr(value, '_seralized_location', '')
if location and not hasattr(value, 'url'):
value.url = '#'
if hasattr(self, 'get_template_substitution_values'):
self.template_with_initial = (
'%(initial_text)s: %(initial)s %(clear_template)s<br />%(input_text)s: %(input)s'
)
attrs = attrs or {}
attrs.update({'data-upload-url': self.url})
hidden_name = self.get_hidden_name(name)
kwargs = {}
if django_version >= (1, 11):
kwargs['renderer'] = renderer
parent = super(StickyUploadWidget, self).render(name, value, attrs=
attrs, **kwargs)
hidden = forms.HiddenInput().render(hidden_name, location, **kwargs)
return mark_safe(parent + '\n' + hidden)
| render | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, value, attrs=None, renderer=None):\n location = getattr(value, '_seralized_location', '')\n if location and not hasattr(value, 'url'):\n ... |
def x(config={}, datastore=None, nested=False):
if nested:
config = nested_config(config)
Settings.init(**config)
if datastore:
Switch.ds = datastore
__import__('switchboard.builtins')
| configure | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config={}, datastore=None, nested=False):\n if nested:\n config = nested_config(config)\n Settings.init(**config)\n if datastore:\n Swit... |
def x(func):
def x(self, *args, **kwargs):
dic = self.result_cache
cache_key = None
if dic is not None:
cache_key = args, tuple(kwargs.items())
try:
result = dic.get(cache_key)
except TypeError as e:
log.debug(
'Switchboard result cache not active for this "%s" check due to: %s within args: %s'
, args[0], e, repr(cache_key)[:200])
cache_key = None
else:
if result is not None:
return result
result = func(self, *args, **kwargs)
if cache_key is not None:
dic[cache_key] = result
return result
return inner
| with_result_cache | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func):\n\n def x(self, *args, **kwargs):\n dic = self.result_cache\n cache_key = None\n if dic is not None:\n cache_key = ar... |
def x(self, key, *instances, **kwargs):
try:
default = kwargs.pop('default', False)
parts = key.split(':')
if len(parts) > 1:
child_kwargs = kwargs.copy()
child_kwargs['default'] = None
result = self.is_active(':'.join(parts[:-1]), *instances, **
child_kwargs)
if result is False:
return result
elif result is True:
default = result
try:
switch = self[key]
except KeyError:
return default
if switch.status == GLOBAL:
return True
elif switch.status == DISABLED:
return False
elif switch.status == INHERIT:
return default
conditions = switch.value
if not conditions:
return default
instances = list(instances) if instances else []
instances.extend(self.context.values())
return_value = False
for namespace, condition in conditions.iteritems():
condition_set = registry_by_namespace.get(namespace)
if not condition_set:
continue
result = condition_set.has_active_condition(condition, instances)
if result is False:
return False
elif result is True:
return_value = True
except:
log.exception('Error checking if switch "%s" is active', key)
return_value = False
return return_value
| is_active | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, *instances, **kwargs):\n try:\n default = kwargs.pop('default', False)\n parts = key.split(':')\n if len(parts) > 1:\n ... |
def x(self, condition_set):
if callable(condition_set):
condition_set = condition_set()
registry[condition_set.get_id()] = condition_set
registry_by_namespace[condition_set.get_namespace()] = condition_set
| register | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, condition_set):\n if callable(condition_set):\n condition_set = condition_set()\n registry[condition_set.get_id()] = condition_set\n regi... |
def x(self, condition_set):
if callable(condition_set):
condition_set = condition_set()
registry.pop(condition_set.get_id(), None)
registry_by_namespace.pop(condition_set.get_namespace(), None)
| unregister | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, condition_set):\n if callable(condition_set):\n condition_set = condition_set()\n registry.pop(condition_set.get_id(), None)\n registry_b... |
def x(self, url):
path, query = _parse_url(url)
dupestats = []
extend_ds = lambda x: dupestats.extend(filter(None, (ds_dict.get(key) for
ds_dict, key in x)))
if self.urls_by_path.get(path):
extend_ds([(self.path_dupstats, path)])
for param, value in query.items():
qwp_key = _q_key(_without_key(query, param))
has_changed = self.urls_by_path_qwp.get((path, param, qwp_key))
has_removed = self.urls_by_path_q.get((path, qwp_key))
if has_changed or has_removed:
extend_ds(self._param_dupstats(path, param, qwp_key))
if has_removed:
extend_ds(self._param_value_dupstats(path, param, value))
q_key = _q_key(query)
for param in (self.params_by_path.get(path, set()) - set(query)):
if self.urls_by_path_qwp.get((path, param, q_key)):
extend_ds(self._param_dupstats(path, param, q_key))
for value in self.param_values.get((path, param), set()):
extend_ds(self._param_value_dupstats(path, param, value))
return max(ds.get_prob() for ds in dupestats) if dupestats else 0.0
| get_dupe_prob | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n path, query = _parse_url(url)\n dupestats = []\n extend_ds = lambda x: dupestats.extend(filter(None, (ds_dict.get(key) for\n ds_d... |
def x(self, url, text):
min_hash = get_min_hash(text, self.too_common_shingles, self.num_perm)
item_url = canonicalize_url(url)
item_path, item_query = _parse_url(item_url)
all_duplicates = [(url, self.seen_urls[url]) for url in self.lsh.query(
min_hash)]
duplicates = [(url, m.query) for url, m in all_duplicates if m.path ==
item_path]
n_path_nodup = self._nodup_filter(min_hash, self.urls_by_path.get(
item_path, set()).difference(url for url, _ in duplicates))
self.path_dupstats[item_path].update(len(duplicates), n_path_nodup)
for param, value in item_query.items():
self._update_with_param(duplicates, min_hash, item_path, item_query,
param, [value])
for param in (self.params_by_path.get(item_path, set()) - set(item_query)):
self._update_with_param(duplicates, min_hash, item_path, item_query,
param, self.param_values.get((item_path, param), set()))
for param, value in item_query.items():
self.urls_by_path_q[item_path, _q_key(item_query)].add(item_url)
item_qwp_key = _q_key(_without_key(item_query, param))
self.urls_by_path_qwp[item_path, param, item_qwp_key].add(item_url)
self.params_by_path[item_path].add(param)
self.param_values[item_path, param].add(value)
if not item_query:
self.urls_by_path_q[item_path, ()].add(item_url)
self.urls_by_path[item_path].add(item_url)
if item_url in self.lsh:
self.lsh.remove(item_url)
self.lsh.insert(item_url, min_hash)
self.seen_urls[item_url] = URLMeta(item_path, item_query, min_hash)
if len(self.seen_urls) % 100 == 0:
self.log_dupstats()
return all_duplicates
| update_model | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, text):\n min_hash = get_min_hash(text, self.too_common_shingles, self.num_perm)\n item_url = canonicalize_url(url)\n item_path, item_query ... |
def x(self, min_hash, all_urls, max_sample=200):
if not all_urls:
return 0
urls = random.sample(all_urls, max_sample) if len(all_urls
) > max_sample else all_urls
filtered = [url for url in urls if min_hash.jaccard(self.seen_urls[url]
.min_hash) < self.jaccard_threshold]
return int(len(filtered) / len(urls) * len(all_urls))
| nodup_filter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, min_hash, all_urls, max_sample=200):\n if not all_urls:\n return 0\n urls = random.sample(all_urls, max_sample) if len(all_urls\n ) >... |
def x(self, request):
qs = super(UnrenderedAdmin, self).get_queryset(request)
if 'show_rendered' in qs.query.context:
del qs.query.context['show_rendered']
return qs
| get_queryset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n qs = super(UnrenderedAdmin, self).get_queryset(request)\n if 'show_rendered' in qs.query.context:\n del qs.query.context['show_r... |
def x(self, cls=None, **kwargs):
case = cls() if cls else self._CasesClass()
for attr, value in kwargs.iteritems():
setattr(case, attr, value)
return case
| get_one | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cls=None, **kwargs):\n case = cls() if cls else self._CasesClass()\n for attr, value in kwargs.iteritems():\n setattr(case, attr, value)\n ... |
def x(self, cls=None, **kwargs):
defaults = {attr: kwargs[attr][0] for attr in kwargs}
for set_of_values in izip_longest(*kwargs.values()):
case = cls() if cls else self._CasesClass()
for attr, value in izip(kwargs.keys(), set_of_values):
if value is None:
value = defaults[attr]
setattr(case, attr, value)
yield case
| get_each_choice | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cls=None, **kwargs):\n defaults = {attr: kwargs[attr][0] for attr in kwargs}\n for set_of_values in izip_longest(*kwargs.values()):\n case =... |
def x(self, cls=None, **kwargs):
for set_of_values in allpairs(kwargs.values()):
case = cls() if cls else self._CasesClass()
for attr, value in izip(kwargs.keys(), set_of_values):
setattr(case, attr, value)
yield case
| get_pairwise | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cls=None, **kwargs):\n for set_of_values in allpairs(kwargs.values()):\n case = cls() if cls else self._CasesClass()\n for attr, value i... |
def x(self, cls=None, **kwargs):
for attr, set_of_values in kwargs.iteritems():
defaults = {key: kwargs[key][-1]['default'] for key in kwargs}
defaults.pop(attr)
for value in set_of_values[:-1]:
case = cls() if cls else self._CasesClass()
setattr(case, attr, value)
for key in defaults:
setattr(case, key, defaults[key])
yield case
| get_negative | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cls=None, **kwargs):\n for attr, set_of_values in kwargs.iteritems():\n defaults = {key: kwargs[key][-1]['default'] for key in kwargs}\n ... |
def x(self, sample):
def x(length):
result = ''.join(random.choice(sample) for _ in xrange(length)).strip()
if len(result) == length:
return result
return mix(length)
return mix
| get_mix_gen | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sample):\n\n def x(length):\n result = ''.join(random.choice(sample) for _ in xrange(length)).strip()\n if len(result) == length:\n ... |
def x(connection=None, urls=None, force_download=False):
db = DbManager(connection)
db.db_import(urls=urls, force_download=force_download)
db.session.close()
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(connection=None, urls=None, force_download=False):\n db = DbManager(connection)\n db.db_import(urls=urls, force_download=force_download)\n db.session.... |
def x(host='localhost', user='pyctd_user', password='pyctd_passwd', db=
'pyctd', charset='utf8'):
set_connection(
'mysql+pymysql://{user}:{passwd}@{host}/{db}?charset={charset}'.
format(host=host, user=user, passwd=password, db=db, charset=charset))
| set_mysql_connection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(host='localhost', user='pyctd_user', password='pyctd_passwd', db=\n 'pyctd', charset='utf8'):\n set_connection(\n 'mysql+pymysql://{user}:{passwd}... |
def x(connection=defaults.sqlalchemy_connection_string_default):
cfp = defaults.config_file_path
config = RawConfigParser()
if not os.path.exists(cfp):
with open(cfp, 'w') as config_file:
config['database'] = {'sqlalchemy_connection_string': connection}
config.write(config_file)
log.info('create configuration file %s', cfp)
else:
config.read(cfp)
config.set('database', 'sqlalchemy_connection_string', connection)
with open(cfp, 'w') as configfile:
config.write(configfile)
| set_connection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(connection=defaults.sqlalchemy_connection_string_default):\n cfp = defaults.config_file_path\n config = RawConfigParser()\n if not os.path.exists(cfp)... |
def x(self):
user_connection = input(bcolors.WARNING +
"""
For any reason connection to """ + bcolors.ENDC + bcolors.FAIL +
'{}'.format(self.connection) + bcolors.ENDC + bcolors.WARNING +
""" is not possible.
""" + bcolors.ENDC +
'For more information about SQLAlchemy connection strings go to:\n' +
"""http://docs.sqlalchemy.org/en/latest/core/engines.html
Please insert a valid connection string:
"""
+ bcolors.UNDERLINE + 'Examples:\n\n' + bcolors.ENDC +
'MySQL (recommended):\n' + bcolors.OKGREEN +
""" mysql+pymysql://user:passwd@localhost/database?charset=utf8
""" +
bcolors.ENDC + 'PostgreSQL:\n' + bcolors.OKGREEN +
""" postgresql://scott:tiger@localhost/mydatabase
""" + bcolors.
ENDC + 'MsSQL (pyodbc have to be installed):\n' + bcolors.OKGREEN +
""" mssql+pyodbc://user:passwd@database
""" + bcolors.ENDC +
'SQLite (always works):\n' + ' - Linux:\n' + bcolors.OKGREEN +
""" sqlite:////absolute/path/to/database.db
""" + bcolors.ENDC +
' - Windows:\n' + bcolors.OKGREEN +
'\tsqlite:///C:\\path\\to\\database.db\n' + bcolors.ENDC +
'Oracle:\n' + bcolors.OKGREEN +
""" oracle://user:passwd@127.0.0.1:1521/database
""" + bcolors.
ENDC + '[RETURN] for standard connection {}:\n'.format(defaults.
sqlalchemy_connection_string_default))
if not (user_connection or user_connection.strip()):
user_connection = defaults.sqlalchemy_connection_string_default
set_connection(user_connection.strip())
| set_connection_string_by_user_input | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n user_connection = input(bcolors.WARNING +\n \"\"\"\nFor any reason connection to \"\"\" + bcolors.ENDC + bcolors.FAIL +\n '{}'.format... |
def x(self, checkfirst=True):
log.info('creating tables in %s', self.engine.url)
models.Base.metadata.create_all(self.engine, checkfirst=checkfirst)
| create_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, checkfirst=True):\n log.info('creating tables in %s', self.engine.url)\n models.Base.metadata.create_all(self.engine, checkfirst=checkfirst)\n",
... |
def x(self):
log.info('dropping tables in %s', self.engine.url)
self.session.commit()
models.Base.metadata.drop_all(self.engine)
self.session.commit()
| drop_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n log.info('dropping tables in %s', self.engine.url)\n self.session.commit()\n models.Base.metadata.drop_all(self.engine)\n self.session.com... |
def x(self, urls=None, force_download=False):
if not urls:
urls = [(defaults.url_base + table_conf.tables[model]['file_name']) for
model in table_conf.tables]
log.info('Update CTD database from %s', urls)
self.drop_all()
self.download_urls(urls=urls, force_download=force_download)
self.create_all()
self.import_tables()
self.session.close()
| db_import | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, urls=None, force_download=False):\n if not urls:\n urls = [(defaults.url_base + table_conf.tables[model]['file_name']) for\n model i... |
def x(self):
if not self.__mapper:
for model in table_conf.models_to_map:
domain = model.table_suffix
tab_conf = table_conf.tables[model]
file_path = os.path.join(self.pyctd_data_dir, tab_conf['file_name']
)
col_name_in_file, col_name_in_db = tab_conf['domain_id_column']
column_index = self.get_index_of_column(col_name_in_file, file_path
)
df = pd.read_table(file_path, names=[col_name_in_db], header=
None, usecols=[column_index], comment='#', index_col=False,
dtype=self.get_dtypes(model))
if domain == 'chemical':
df[col_name_in_db] = df[col_name_in_db].str.replace('MESH:', ''
).str.strip()
df[domain + '__id'] = df.index + 1
self.__mapper[domain] = df
return self.__mapper
| mapper | [
{
"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.__mapper:\n for model in table_conf.models_to_map:\n domain = model.table_suffix\n tab_conf = table_conf.t... |
def x(self, only_tables=None, exclude_tables=None):
for table in self.tables:
if only_tables is not None and table.name not in only_tables:
continue
if exclude_tables is not None and table.name in exclude_tables:
continue
self.import_table(table)
| import_tables | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, only_tables=None, exclude_tables=None):\n for table in self.tables:\n if only_tables is not None and table.name not in only_tables:\n ... |
def x(cls, column, file_path):
columns = cls.get_column_names_from_file(file_path)
if column in columns:
return columns.index(column)
| get_index_of_column | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, column, file_path):\n columns = cls.get_column_names_from_file(file_path)\n if column in columns:\n return columns.index(column)\n",
"rol... |
def x(cls, columns_in_file_expected, columns_dict, file_path):
use_columns_with_index = []
column_names_in_db = []
column_names_from_file = cls.get_column_names_from_file(file_path)
if not set(columns_in_file_expected).issubset(column_names_from_file):
log.exception('%s columns are not a subset of columns %s in file %s',
columns_in_file_expected, column_names_from_file, file_path)
else:
for index, column in enumerate(column_names_from_file):
if column in columns_dict:
use_columns_with_index.append(index)
column_names_in_db.append(columns_dict[column])
return use_columns_with_index, column_names_in_db
| get_index_and_columns_order | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, columns_in_file_expected, columns_dict, file_path):\n use_columns_with_index = []\n column_names_in_db = []\n column_names_from_file = cls.get_co... |
def x(self, table):
file_path = os.path.join(self.pyctd_data_dir, table.file_name)
log.info('importing %s data into table %s', file_path, table.name)
table_import_timer = time.time()
use_columns_with_index, column_names_in_db = (self.
get_index_and_columns_order(table.columns_in_file_expected, table.
columns_dict, file_path))
self.import_table_in_db(file_path, use_columns_with_index,
column_names_in_db, table)
for column_in_file, column_in_one2many_table in table.one_to_many:
o2m_column_index = self.get_index_of_column(column_in_file, file_path)
self.import_one_to_many(file_path, o2m_column_index, table,
column_in_one2many_table)
log.info('done importing %s in %.2f seconds', table.name, time.time() -
table_import_timer)
| import_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table):\n file_path = os.path.join(self.pyctd_data_dir, table.file_name)\n log.info('importing %s data into table %s', file_path, table.name)\n ... |
def x(self, file_path, column_index, parent_table, column_in_one2many_table):
chunks = pd.read_table(file_path, usecols=[column_index], header=None,
comment='#', index_col=False, chunksize=1000000, dtype=self.
get_dtypes(parent_table.model))
for chunk in chunks:
child_values = []
parent_id_values = []
chunk.dropna(inplace=True)
chunk.index += 1
for parent_id, values in chunk.iterrows():
entry = values[column_index]
if not isinstance(entry, str):
entry = str(entry)
for value in entry.split('|'):
parent_id_values.append(parent_id)
child_values.append(value.strip())
parent_id_column_name = parent_table.name + '__id'
o2m_table_name = (defaults.TABLE_PREFIX + parent_table.name + '__' +
column_in_one2many_table)
pd.DataFrame({parent_id_column_name: parent_id_values,
column_in_one2many_table: child_values}).to_sql(name=
o2m_table_name, if_exists='append', con=self.engine, index=False)
| import_one_to_many | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_path, column_index, parent_table, column_in_one2many_table):\n chunks = pd.read_table(file_path, usecols=[column_index], header=None,\n co... |
def x(self, file_path, use_columns_with_index, column_names_in_db, table):
chunks = pd.read_table(file_path, usecols=use_columns_with_index, names
=column_names_in_db, header=None, comment='#', index_col=False,
chunksize=1000000, dtype=self.get_dtypes(table.model))
for chunk in chunks:
if table.name == 'exposure_event':
chunk.disease_id = 'MESH:' + chunk.disease_id
chunk['id'] = chunk.index + 1
if table.model not in table_conf.models_to_map:
for model in table_conf.models_to_map:
domain = model.table_suffix
domain_id = domain + '_id'
if domain_id in column_names_in_db:
chunk = pd.merge(chunk, self.mapper[domain], on=
domain_id, how='left')
del chunk[domain_id]
chunk.set_index('id', inplace=True)
table_with_prefix = defaults.TABLE_PREFIX + table.name
chunk.to_sql(name=table_with_prefix, if_exists='append', con=self.
engine)
del chunks
| import_table_in_db | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_path, use_columns_with_index, column_names_in_db, table):\n chunks = pd.read_table(file_path, usecols=use_columns_with_index, names\n =col... |
def x(file_path):
if file_path.endswith('.gz'):
file_handler = io.TextIOWrapper(io.BufferedReader(gzip.open(file_path))
)
else:
file_handler = open(file_path, 'r')
fields_line = False
with file_handler as file:
for line in file:
line = line.strip()
if not fields_line and re.search('#\\s*Fields\\s*:$', line):
fields_line = True
elif fields_line and not (line == '' or line == '#'):
return [column.strip() for column in line[1:].split('\t')]
| get_column_names_from_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_path):\n if file_path.endswith('.gz'):\n file_handler = io.TextIOWrapper(io.BufferedReader(gzip.open(file_path))\n )\n else:\n ... |
def x(cls, urls, force_download=False):
for url in urls:
file_path = cls.get_path_to_file_from_url(url)
if os.path.exists(file_path) and not force_download:
log.info('already downloaded %s to %s', url, file_path)
else:
log.info('downloading %s to %s', url, file_path)
download_timer = time.time()
urlretrieve(url, file_path)
log.info('downloaded in %.2f seconds', time.time() - download_timer
)
| download_urls | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, urls, force_download=False):\n for url in urls:\n file_path = cls.get_path_to_file_from_url(url)\n if os.path.exists(file_path) and not f... |
def x(fields, oxford=True):
def x(field):
return "'%s'" % field
if not fields:
return 'nothing'
elif len(fields) == 1:
return fmt(fields[0])
elif len(fields) == 2:
return ' and '.join([fmt(f) for f in fields])
else:
result = ', '.join([fmt(f) for f in fields[:-1]])
if oxford:
result += ','
result += ' and %s' % fmt(fields[-1])
return result
| comma_join | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fields, oxford=True):\n\n def x(field):\n return \"'%s'\" % field\n if not fields:\n return 'nothing'\n elif len(fields) == 1:\n ... |
def x(openid, size=64, default='retro', dns=False):
if dns:
import libravatar
return libravatar.libravatar_url(openid=openid, size=size, default=
default)
else:
params = _ordered_query_params([('s', size), ('d', default)])
query = parse.urlencode(params)
hash = sha256(openid.encode('utf-8')).hexdigest()
return 'https://seccdn.libravatar.org/avatar/%s?%s' % (hash, query)
| avatar_url_from_openid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(openid, size=64, default='retro', dns=False):\n if dns:\n import libravatar\n return libravatar.libravatar_url(openid=openid, size=size, defau... |
def x(email, size=64, default='retro', dns=False):
if dns:
import libravatar
return libravatar.libravatar_url(email=email, size=size, default=
default)
else:
params = _ordered_query_params([('s', size), ('d', default)])
query = parse.urlencode(params)
hash = md5(email.encode('utf-8')).hexdigest()
return 'https://seccdn.libravatar.org/avatar/%s?%s' % (hash, query)
| avatar_url_from_email | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(email, size=64, default='retro', dns=False):\n if dns:\n import libravatar\n return libravatar.libravatar_url(email=email, size=size, default=... |
def x(self, target, args=()):
run_event = threading.Event()
run_event.set()
thread = threading.Thread(target=target, args=args + (run_event,))
self.thread_pool.append(thread)
self.run_events.append(run_event)
thread.start()
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target, args=()):\n run_event = threading.Event()\n run_event.set()\n thread = threading.Thread(target=target, args=args + (run_event,))\n se... |
def x(self):
for run_event in self.run_events:
run_event.clear()
for thread in self.thread_pool:
thread.join()
| stop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for run_event in self.run_events:\n run_event.clear()\n for thread in self.thread_pool:\n thread.join()\n",
"role": "user"
}... |
def x(self, labels, split_idx):
atom_labels = [label[0] for label in labels]
noise = []
distribution_function = distributions[self.distribution_name]['function']
for label in atom_labels:
params = [self.parameters['{}_{}'.format(label, param)][split_idx] for
param in self.distribution_parameter_names]
if None in params:
dim_noise = 0.0
else:
try:
dim_noise = distribution_function(*params)
except ValueError:
raise ValueError
noise.append(dim_noise)
return noise
| generate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, labels, split_idx):\n atom_labels = [label[0] for label in labels]\n noise = []\n distribution_function = distributions[self.distribution_name][... |
def x(classifiers):
prefix = 'Programming Language :: Python ::'
python_classifiers = [c.split('::')[2].strip() for c in classifiers if
c.startswith(prefix)]
return ', '.join([c for c in python_classifiers if parse_version(c)])
| parse_python | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(classifiers):\n prefix = 'Programming Language :: Python ::'\n python_classifiers = [c.split('::')[2].strip() for c in classifiers if\n c.startswi... |
def x(classifiers):
prefix = 'Framework :: Django ::'
django_classifiers = [c.split('::')[2].strip() for c in classifiers if
c.startswith(prefix)]
return ', '.join([c for c in django_classifiers if parse_version(c)])
| parse_django | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(classifiers):\n prefix = 'Framework :: Django ::'\n django_classifiers = [c.split('::')[2].strip() for c in classifiers if\n c.startswith(prefix)]... |
def x(version1, version2):
if version1 is None or version2 is None:
return 'unknown'
if version1 == version2:
return 'none'
for v in ('major', 'minor', 'patch'):
if getattr(version1, v) != getattr(version2, v):
return v
return 'other'
| version_diff | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(version1, version2):\n if version1 is None or version2 is None:\n return 'unknown'\n if version1 == version2:\n return 'none'\n for v in... |
def x(self):
key = cache_key(self.name)
data = cache.get(key)
if data is None:
logger.debug('Updating package info for %s from PyPI.', self.name)
data = requests.get(self.url).json()
cache.set(key, data, PYPI_CACHE_EXPIRY)
return data
| data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n key = cache_key(self.name)\n data = cache.get(key)\n if data is None:\n logger.debug('Updating package info for %s from PyPI.', self.n... |
def x(fun, *args, **kwargs):
with _query_lock:
global _last_query_time
since_last_query = time.time() - _last_query_time
if since_last_query < QUERY_WAIT_TIME:
time.sleep(QUERY_WAIT_TIME - since_last_query)
_last_query_time = time.time()
return fun(*args, **kwargs)
| query_wrap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fun, *args, **kwargs):\n with _query_lock:\n global _last_query_time\n since_last_query = time.time() - _last_query_time\n if since_las... |
def x(fields):
BOUNDARY = '----form-data-boundary-ZmRkNzJkMjUtMjkyMC00'
out = []
for key, value in fields.items():
out.append('--' + BOUNDARY)
out.append('Content-Disposition: form-data; name="%s"' % key)
out.append('')
out.append(value)
out.append('--' + BOUNDARY + '--')
out.append('')
body = '\r\n'.join(out)
content_type = 'multipart/form-data; boundary=%s' % BOUNDARY
return content_type, body
| formdata_encode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fields):\n BOUNDARY = '----form-data-boundary-ZmRkNzJkMjUtMjkyMC00'\n out = []\n for key, value in fields.items():\n out.append('--' + BOUNDARY... |
def x(url, fields):
content_type, data = formdata_encode(fields)
req = urllib2.Request(url, data)
req.add_header('Content-Type', content_type)
return urllib2.urlopen(req).read()
| formdata_post | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, fields):\n content_type, data = formdata_encode(fields)\n req = urllib2.Request(url, data)\n req.add_header('Content-Type', content_type)\n re... |
def x(duration, fpdata, metadata=None):
metadata = metadata or {}
params = {'artist': metadata.get('artist', ''), 'album': metadata.get(
'album', ''), 'track': metadata.get('title', ''), 'duration': duration}
url = '%s?%s' % (URL_FPID, urllib.urlencode(params))
try:
res = _query_wrap(formdata_post, url, {'fpdata': fpdata})
except urllib2.HTTPError:
raise CommunicationError('ID query failed')
except httplib.BadStatusLine:
raise CommunicationError('bad response in ID query')
except IOError:
raise CommunicationError('ID query failed')
try:
fpid, status = res.split()[:2]
fpid = int(fpid)
except ValueError:
raise BadResponseError('malformed response: ' + res)
if status == 'NEW':
raise NotFoundError()
elif status == 'FOUND':
return fpid
else:
raise BadResponseError('unknown status: ' + res)
| fpid_query | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(duration, fpdata, metadata=None):\n metadata = metadata or {}\n params = {'artist': metadata.get('artist', ''), 'album': metadata.get(\n 'album', ... |
def x(fpid, apikey):
params = {'method': 'track.getFingerprintMetadata', 'fingerprintid':
fpid, 'api_key': apikey}
url = '%s?%s' % (URL_METADATA, urllib.urlencode(params))
try:
fh = _query_wrap(urllib.urlopen, url)
except urllib2.HTTPError:
raise CommunicationError('metadata query failed')
except httplib.BadStatusLine:
raise CommunicationError('bad response in metadata query')
except IOError:
raise CommunicationError('metadata query failed')
return fh.read()
| metadata_query | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fpid, apikey):\n params = {'method': 'track.getFingerprintMetadata', 'fingerprintid':\n fpid, 'api_key': apikey}\n url = '%s?%s' % (URL_METADATA, ... |
def x(pcmiter, samplerate, channels, duration=-1):
extractor = _fplib.Extractor(samplerate, channels, duration)
try:
next_block = next(pcmiter)
except StopIteration:
raise ExtractionError()
while True:
cur_block = next_block
try:
next_block = next(pcmiter)
except StopIteration:
next_block = None
done = next_block is None
try:
if extractor.process(cur_block, done):
break
except RuntimeError as exc:
raise ExtractionError(exc.args[0])
if done:
raise ExtractionError()
out = extractor.result()
if out is None:
raise ExtractionError()
extractor.free()
return out
| extract | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pcmiter, samplerate, channels, duration=-1):\n extractor = _fplib.Extractor(samplerate, channels, duration)\n try:\n next_block = next(pcmiter)\n ... |
def x(apikey, pcmiter, samplerate, duration, channels=2, metadata=None):
fpdata = extract(pcmiter, samplerate, channels)
fpid = fpid_query(duration, fpdata, metadata)
return metadata_query(fpid, apikey)
| match | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(apikey, pcmiter, samplerate, duration, channels=2, metadata=None):\n fpdata = extract(pcmiter, samplerate, channels)\n fpid = fpid_query(duration, fpdata... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.