source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, sql_script, split_algo='sql_split', prep_statements=True,
dump_fails=True):
return Execute(sql_script, split_algo, prep_statements, dump_fails, self)
| script | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sql_script, split_algo='sql_split', prep_statements=True,\n dump_fails=True):\n return Execute(sql_script, split_algo, prep_statements, dump_fails,... |
def x(self, scope: list, state: str=None) ->tuple:
url = urljoin(self.base_url, self.auth_url)
params = {'response_type': 'code', 'client_id': self.client_id,
'redirect_uri': self.redirect_url, 'scope': ' '.join(scope),
'state': state if state is not None else self._generate_state()}
return '%s?%s' % (url, urlencode(params)), params['state']
| authorize_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, scope: list, state: str=None) ->tuple:\n url = urljoin(self.base_url, self.auth_url)\n params = {'response_type': 'code', 'client_id': self.client_... |
def x(self, redirect_url: str, state: str) ->str:
url_data = parse_qs(redirect_url.split('?', 1)[1])
if 'error' in url_data:
logger.warning(
'Error received in OAuth authentication response: %s' %
url_data.get('error'))
raise OAuthAuthentication.OAuthError(url_data['error'], url_data.
get('error_description', None))
if 'code' not in url_data:
logger.error(
'The provided URL is not a valid OAuth authentication response: no code'
)
raise ValueError(
'The provided URL is not a valid OAuth authentication response: no code'
)
if state and [state] != url_data['state']:
logger.warning(
'OAuth CSRF attack detected: the state in the provided URL does not equal the given state'
)
raise ValueError(
'CSRF attack detected: the state in the provided URL does not equal the given state'
)
try:
response = requests.post(url=urljoin(self.base_url, self.token_url),
data={'grant_type': 'authorization_code', 'code': url_data[
'code'][0], 'redirect_uri': self.redirect_url, 'client_id':
self.client_id, 'client_secret': self.client_secret}).json()
except ValueError:
logger.error(
'The OAuth server returned an invalid response when obtaining a token: JSON error'
)
raise ValueError(
'The OAuth server returned an invalid response when obtaining a token: JSON error'
)
if 'error' in response:
logger.warning(
'Error while obtaining OAuth authorization token: %s' %
response['error'])
raise OAuthAuthentication.OAuthError(response['error'], response.
get('error', ''))
if 'access_token' not in response:
logger.error(
'The OAuth server returned an invalid response when obtaining a token: no access token'
)
raise ValueError(
'The remote server returned an invalid response when obtaining a token: no access token'
)
self.real_auth.set_token(response['access_token'])
logger.debug('Obtained authentication token for state %s: %s' % (state,
self.real_auth.auth_token))
return response['access_token']
| obtain_token | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, redirect_url: str, state: str) ->str:\n url_data = parse_qs(redirect_url.split('?', 1)[1])\n if 'error' in url_data:\n logger.warning(\n ... |
def x() ->str:
state = str(uuid.uuid4()).replace('-', '')
logger.debug('Generated OAuth state: %s' % state)
return state
| generate_state | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x() ->str:\n state = str(uuid.uuid4()).replace('-', '')\n logger.debug('Generated OAuth state: %s' % state)\n return state\n",
"role": "user"
},
... |
def x(column_data, prefer_varchar=False, prefer_int=False):
type_len_pairs = [ValueType(record).get_type_len for record in column_data]
types_count = {t: type_len_pairs.count(t) for t in set([type_ for type_,
len_, len_dec in type_len_pairs])}
most_frequent = max(types_count.items(), key=itemgetter(1))[0]
len_lst, len_decimals_lst = [], []
for type_, len_, len_dec in type_len_pairs:
if type_ == most_frequent:
if type(len_) is int:
len_lst.append(len_)
if type(len_dec) is int:
len_decimals_lst.append(len_dec)
try:
max_len = max(len_lst)
except ValueError:
max_len = None
try:
max_len_decimal = max(len_decimals_lst)
except ValueError:
max_len_decimal = None
if (prefer_varchar and most_frequent != 'VARCHAR' and 'text' in
most_frequent.lower()):
most_frequent = 'VARCHAR'
elif prefer_int and most_frequent != 'INT' and 'int' in most_frequent.lower(
):
most_frequent = 'INT'
if max_len and max_len_decimal:
return '{0} ({1}, {2})'.format(most_frequent, max_len, max_len_decimal)
elif max_len:
return '{0} ({1})'.format(most_frequent, max_len)
else:
return most_frequent
| sql_column_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(column_data, prefer_varchar=False, prefer_int=False):\n type_len_pairs = [ValueType(record).get_type_len for record in column_data]\n types_count = {t: t... |
def x(self):
test_method = [self.is_time, self.is_date, self.is_datetime, self.
is_decimal, self.is_year, self.is_tinyint, self.is_smallint, self.
is_mediumint, self.is_int, self.is_bigint, self.is_tinytext, self.
is_varchar, self.is_mediumtext, self.is_longtext]
for method in test_method:
if method():
return self.sql
| get_sql | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n test_method = [self.is_time, self.is_date, self.is_datetime, self.\n is_decimal, self.is_year, self.is_tinyint, self.is_smallint, self.\n ... |
def x(self):
self.get_sql()
return self.type, self.len, self.len_decimal
| get_type_len | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.get_sql()\n return self.type, self.len, self.len_decimal\n",
"role": "user"
},
{
"content": "get_type_len",
"role": "assist... |
def x(self, course_id, course_section_end_at=None, course_section_name=None,
course_section_restrict_enrollments_to_section_dates=None,
course_section_sis_section_id=None, course_section_start_at=None,
enable_sis_reactivation=None):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""The name of the section"""
if course_section_name is not None:
data['course_section[name]'] = course_section_name
"""The sis ID of the section"""
if course_section_sis_section_id is not None:
data['course_section[sis_section_id]'] = course_section_sis_section_id
"""Section start date in ISO8601 format, e.g. 2011-01-01T01:00Z"""
if course_section_start_at is not None:
data['course_section[start_at]'] = course_section_start_at
"""Section end date in ISO8601 format. e.g. 2011-01-01T01:00Z"""
if course_section_end_at is not None:
data['course_section[end_at]'] = course_section_end_at
"""Set to true to restrict user enrollments to the start and end dates of the section."""
if course_section_restrict_enrollments_to_section_dates is not None:
data['course_section[restrict_enrollments_to_section_dates]'
] = course_section_restrict_enrollments_to_section_dates
"""When true, will first try to re-activate a deleted section with matching sis_section_id if possible."""
if enable_sis_reactivation is not None:
data['enable_sis_reactivation'] = enable_sis_reactivation
self.logger.debug(
'POST /api/v1/courses/{course_id}/sections with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('POST',
'/api/v1/courses/{course_id}/sections'.format(**path), data=data,
params=params, single_item=True)
| create_course_section | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, course_id, course_section_end_at=None, course_section_name=None,\n course_section_restrict_enrollments_to_section_dates=None,\n course_section_sis_... |
def x(self, id, new_course_id):
path = {}
data = {}
params = {}
"""ID"""
path['id'] = id
"""ID"""
path['new_course_id'] = new_course_id
self.logger.debug(
'POST /api/v1/sections/{id}/crosslist/{new_course_id} with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('POST',
'/api/v1/sections/{id}/crosslist/{new_course_id}'.format(**path),
data=data, params=params, single_item=True)
| cross_list_section | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, new_course_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['id'] = id\n \"\"\"ID\"\"\"\n path['new_course_id'... |
def x(self, id, course_section_end_at=None, course_section_name=None,
course_section_restrict_enrollments_to_section_dates=None,
course_section_sis_section_id=None, course_section_start_at=None):
path = {}
data = {}
params = {}
"""ID"""
path['id'] = id
"""The name of the section"""
if course_section_name is not None:
data['course_section[name]'] = course_section_name
"""The sis ID of the section"""
if course_section_sis_section_id is not None:
data['course_section[sis_section_id]'] = course_section_sis_section_id
"""Section start date in ISO8601 format, e.g. 2011-01-01T01:00Z"""
if course_section_start_at is not None:
data['course_section[start_at]'] = course_section_start_at
"""Section end date in ISO8601 format. e.g. 2011-01-01T01:00Z"""
if course_section_end_at is not None:
data['course_section[end_at]'] = course_section_end_at
"""Set to true to restrict user enrollments to the start and end dates of the section."""
if course_section_restrict_enrollments_to_section_dates is not None:
data['course_section[restrict_enrollments_to_section_dates]'
] = course_section_restrict_enrollments_to_section_dates
self.logger.debug(
'PUT /api/v1/sections/{id} with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('PUT', '/api/v1/sections/{id}'.format(**
path), data=data, params=params, single_item=True)
| edit_section | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, course_section_end_at=None, course_section_name=None,\n course_section_restrict_enrollments_to_section_dates=None,\n course_section_sis_section... |
def x(self, db, user=None):
config = self._config
config['database'] = db
if user:
config['user'] = user
self.database = db
self._disconnect()
self._connect(config)
| change_db | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, db, user=None):\n config = self._config\n config['database'] = db\n if user:\n config['user'] = user\n self.database = db\n self._d... |
def x(self, command):
self._cursor.execute(command)
self._commit()
return True
| execute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command):\n self._cursor.execute(command)\n self._commit()\n return True\n",
"role": "user"
},
{
"content": "execute",
"role": "... |
def x(self, command, params=None, max_attempts=5):
attempts = 0
while attempts < max_attempts:
try:
self._cursor.executemany(command, params)
self._commit()
return True
except Exception as e:
attempts += 1
self.reconnect()
continue
| executemany | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command, params=None, max_attempts=5):\n attempts = 0\n while attempts < max_attempts:\n try:\n self._cursor.executemany(command,... |
def x(self, config):
if 'connection_timeout' not in self._config:
self._config['connection_timeout'] = 480
try:
self._cnx = connect(**config)
self._cursor = self._cnx.cursor()
self._printer('\tMySQL DB connection established with db', config[
'database'])
except Error as err:
if err.errno == errorcode.ER_ACCESS_DENIED_ERROR:
print('Something is wrong with your user name or password')
elif err.errno == errorcode.ER_BAD_DB_ERROR:
print('Database does not exist')
raise err
| connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, config):\n if 'connection_timeout' not in self._config:\n self._config['connection_timeout'] = 480\n try:\n self._cnx = connect(**con... |
def x(self, statement, commit, max_attempts=5):
if self._auto_reconnect:
attempts = 0
while attempts < max_attempts:
try:
self._cursor.execute(statement)
fetch = self._cursor.fetchall()
rows = self._fetch_rows(fetch)
if commit:
self._commit()
return rows[0] if len(rows) == 1 else rows
except Exception as e:
if attempts >= max_attempts:
raise e
else:
attempts += 1
self.reconnect()
continue
else:
self._cursor.execute(statement)
fetch = self._cursor.fetchall()
rows = self._fetch_rows(fetch)
if commit:
self._commit()
return rows[0] if len(rows) == 1 else rows
| fetch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, statement, commit, max_attempts=5):\n if self._auto_reconnect:\n attempts = 0\n while attempts < max_attempts:\n try:\n ... |
def x(widthWindow, heightWindow):
glEnable(GL_BLEND)
glEnable(GL_POINT_SMOOTH)
glShadeModel(GL_SMOOTH)
glBlendFunc(GL_SRC_ALPHA, GL_ONE)
glHint(GL_PERSPECTIVE_CORRECTION_HINT, GL_NICEST)
glHint(GL_POINT_SMOOTH_HINT, GL_NICEST)
glDisable(GL_DEPTH_TEST)
| resize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(widthWindow, heightWindow):\n glEnable(GL_BLEND)\n glEnable(GL_POINT_SMOOTH)\n glShadeModel(GL_SMOOTH)\n glBlendFunc(GL_SRC_ALPHA, GL_ONE)\n glH... |
def x(self, particle, group, bumper, collision_point, collision_normal):
self.color = tuple(particle.color)[:3]
| set_bumper_color | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, particle, group, bumper, collision_point, collision_normal):\n self.color = tuple(particle.color)[:3]\n",
"role": "user"
},
{
"content": "... |
def x(self, rabaClass, namespace=None):
if type(rabaClass) is types.StringType:
self._raba_namespace = namespace
self.con = stp.RabaConnection(self._raba_namespace)
self.rabaClass = self.con.getClass(rabaClass)
else:
self.rabaClass = rabaClass
self._raba_namespace = self.rabaClass._raba_namespace
self.con = stp.RabaConnection(self._raba_namespace)
self.filters = []
self.tables = set()
self.fieldPattern = re.compile(
'\\s*([^\\s\\(\\)]+)\\s*([=><]|([L|l][I|i][K|k][E|e]))\\s*(.+)')
self.operators = set(['LIKE', '=', '<', '>', '=', '>=', '<=', '<>',
'!=', 'IS'])
| reset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rabaClass, namespace=None):\n if type(rabaClass) is types.StringType:\n self._raba_namespace = namespace\n self.con = stp.RabaConnection... |
def x(self, *lstFilters, **dctFilters):
dstF = {}
if len(lstFilters) > 0:
if type(lstFilters[0]) is types.DictType:
dstF = lstFilters[0]
lstFilters = lstFilters[1:]
if len(dctFilters) > 0:
dstF = dict(dstF, **dctFilters)
filts = {}
for k, v in dstF.iteritems():
sk = k.split(' ')
if len(sk) == 2:
operator = sk[-1].strip().upper()
if operator not in self.operators:
raise ValueError('Unrecognized operator "%s"' % operator)
kk = '%s.%s' % (self.rabaClass.__name__, k)
elif len(sk) == 1:
operator = '='
kk = '%s.%s =' % (self.rabaClass.__name__, k)
else:
raise ValueError('Invalid field %s' % k)
if isRabaObject(v):
vv = v.getJsonEncoding()
else:
vv = v
if sk[0].find('.') > -1:
kk = self._parseJoint(sk[0], operator)
filts[kk] = vv
for lt in lstFilters:
for l in lt:
match = self.fieldPattern.match(l)
if match == None:
raise ValueError("RabaQuery Error: Invalid filter '%s'" % l)
field = match.group(1)
operator = match.group(2)
value = match.group(4)
if field.find('.') > -1:
joink = self._parseJoint(field, operator, value)
filts[joink] = value
else:
filts['%s.%s %s' % (self.rabaClass.__name__, field, operator)
] = value
self.filters.append(filts)
| addFilter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *lstFilters, **dctFilters):\n dstF = {}\n if len(lstFilters) > 0:\n if type(lstFilters[0]) is types.DictType:\n dstF = lstFilters... |
def x(self, count=False):
sqlFilters = []
sqlValues = []
for f in self.filters:
filt = []
for k, vv in f.iteritems():
if type(vv) is types.ListType or type(vv) is types.TupleType:
sqlValues.extend(vv)
kk = 'OR %s ? ' % k * len(vv)
kk = '(%s)' % kk[3:]
else:
kk = k
sqlValues.append(vv)
filt.append(kk)
sqlFilters.append('(%s ?)' % ' ? AND '.join(filt))
if len(sqlValues) > stp.SQLITE_LIMIT_VARIABLE_NUMBER:
raise ValueError(
"""The limit number of parameters imposed by sqlite is %s.
You will have to break your query into several smaller one. Sorry about that. (actual number of parameters is: %s)"""
% (stp.SQLITE_LIMIT_VARIABLE_NUMBER, len(sqlValues)))
sqlFilters = ' OR '.join(sqlFilters)
if len(self.tables) < 2:
tablesStr = self.rabaClass.__name__
else:
tablesStr = ', '.join(self.tables)
if len(sqlFilters) == 0:
sqlFilters = '1'
if count:
sql = 'SELECT COUNT(*) FROM %s WHERE %s' % (tablesStr, sqlFilters)
else:
sql = 'SELECT %s.raba_id FROM %s WHERE %s' % (self.rabaClass.
__name__, tablesStr, sqlFilters)
return sql, sqlValues
| getSQLQuery | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, count=False):\n sqlFilters = []\n sqlValues = []\n for f in self.filters:\n filt = []\n for k, vv in f.iteritems():\n i... |
def x(self, sqlTail='', raw=False):
sql, sqlValues = self.getSQLQuery()
cur = self.con.execute('%s %s' % (sql, sqlTail), sqlValues)
for v in cur:
if not raw:
yield RabaPupa(self.rabaClass, v[0])
else:
yield v
| iterRun | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sqlTail='', raw=False):\n sql, sqlValues = self.getSQLQuery()\n cur = self.con.execute('%s %s' % (sql, sqlTail), sqlValues)\n for v in cur:\n ... |
def x(self, sqlTail='', raw=False):
sql, sqlValues = self.getSQLQuery()
cur = self.con.execute('%s %s' % (sql, sqlTail), sqlValues)
res = []
for v in cur:
if not raw:
res.append(RabaPupa(self.rabaClass, v[0]))
else:
return v
return res
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sqlTail='', raw=False):\n sql, sqlValues = self.getSQLQuery()\n cur = self.con.execute('%s %s' % (sql, sqlTail), sqlValues)\n res = []\n for ... |
def x(self, sqlTail=''):
sql, sqlValues = self.getSQLQuery(count=True)
return int(self.con.execute('%s %s' % (sql, sqlTail), sqlValues).
fetchone()[0])
| count | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sqlTail=''):\n sql, sqlValues = self.getSQLQuery(count=True)\n return int(self.con.execute('%s %s' % (sql, sqlTail), sqlValues).\n fetchone(... |
def x(self, whereAndTail, params=(), raw=False):
sql = 'SELECT %s.raba_id FROM %s WHERE %s' % (self.rabaClass.__name__,
self.rabaClass.__name__, whereAndTail)
cur = self.con.execute(sql, params)
res = []
for v in cur:
if not raw:
res.append(RabaPupa(self.rabaClass, v[0]))
else:
return v
return res
| runWhere | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, whereAndTail, params=(), raw=False):\n sql = 'SELECT %s.raba_id FROM %s WHERE %s' % (self.rabaClass.__name__,\n self.rabaClass.__name__, whereA... |
def x(self, tables=None):
tables = tables if tables else self.tables
for t in tables:
self._printer('\t{0}'.format(t))
for col in self.get_schema(t, True):
self._printer('\t\t{0:30} {1:15} {2:10} {3:10} {4:10} {5:10}'.
format(*col))
| show_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tables=None):\n tables = tables if tables else self.tables\n for t in tables:\n self._printer('\\t{0}'.format(t))\n for col in self.g... |
def x(self, table):
schema = self.get_schema(table, with_headers=True)
headers = schema.pop(0)
return {values[0]: dict(zip(headers, values[0:])) for values in schema}
| get_schema_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table):\n schema = self.get_schema(table, with_headers=True)\n headers = schema.pop(0)\n return {values[0]: dict(zip(headers, values[0:])) for v... |
def x(self, table, with_headers=False):
f = self.fetch('desc ' + wrap(table))
if not isinstance(f[0], list):
f = [f]
schema = [[('' if col is None else col) for col in row] for row in f]
if with_headers:
schema.insert(0, ['Column', 'Type', 'Null', 'Key', 'Default', 'Extra'])
return schema
| get_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, with_headers=False):\n f = self.fetch('desc ' + wrap(table))\n if not isinstance(f[0], list):\n f = [f]\n schema = [[('' if col is... |
def x(self, table, name='ID', data_type='int(11)', after_col=None, null=
False, primary_key=False):
location = 'AFTER {0}'.format(after_col) if after_col else 'FIRST'
null_ = 'NULL' if null else 'NOT NULL'
comment = "COMMENT 'Column auto created by mysql-toolkit'"
pk = 'AUTO_INCREMENT PRIMARY KEY {0}'.format(comment
) if primary_key else ''
query = 'ALTER TABLE {0} ADD COLUMN {1} {2} {3} {4} {5}'.format(wrap(
table), name, data_type, null_, pk, location)
self.execute(query)
self._printer("\tAdded column '{0}' to '{1}' {2}".format(name, table,
'(Primary Key)' if primary_key else ''))
return name
| add_column | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, name='ID', data_type='int(11)', after_col=None, null=\n False, primary_key=False):\n location = 'AFTER {0}'.format(after_col) if after_col e... |
def x(self, table, name):
try:
self.execute('ALTER TABLE {0} DROP COLUMN {1}'.format(wrap(table),
name))
self._printer('\tDropped column {0} from {1}'.format(name, table))
except ProgrammingError:
self._printer(
"\tCan't DROP '{0}'; check that column/key exists in '{1}'".
format(name, table))
return name
| drop_column | [
{
"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 try:\n self.execute('ALTER TABLE {0} DROP COLUMN {1}'.format(wrap(table),\n name))\n self._printer('\\tDroppe... |
def x(self, table, column):
self.execute('ALTER TABLE {0} DROP INDEX {1}'.format(wrap(table), column))
self._printer('\tDropped index from column {0}'.format(column))
| drop_index | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, column):\n self.execute('ALTER TABLE {0} DROP INDEX {1}'.format(wrap(table), column))\n self._printer('\\tDropped index from column {0}'.for... |
def x(self, table, column, comment):
col_def = self.get_column_definition(table, column)
query = "ALTER TABLE {0} MODIFY COLUMN {1} {2} COMMENT '{3}'".format(table,
column, col_def, comment)
self.execute(query)
self._printer('\tAdded comment to column {0}'.format(column))
return True
| add_comment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, column, comment):\n col_def = self.get_column_definition(table, column)\n query = \"ALTER TABLE {0} MODIFY COLUMN {1} {2} COMMENT '{3}'\".fo... |
def x(self, table, name):
definition = self.get_column_definition(table, name) + ' AUTO_INCREMENT'
self.execute('ALTER TABLE {0} MODIFY {1}'.format(table, definition))
self._printer('\tAdded AUTO_INCREMENT to column {0}'.format(name))
return True
| add_auto_increment | [
{
"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 definition = self.get_column_definition(table, name) + ' AUTO_INCREMENT'\n self.execute('ALTER TABLE {0} MODIFY {1}'.format(table, ... |
def x(self, table, name, new_name=None, data_type=None, null=None, default=None
):
existing_def = self.get_schema_dict(table)[name]
new_name = new_name if new_name is not None else name
if not data_type:
data_type = existing_def['Type']
if null is None:
null_ = 'NULL' if existing_def['Null'].lower() == 'yes' else 'NOT NULL'
else:
null_ = 'NULL' if null else 'NOT NULL'
default = 'DEFAULT {0}'.format(default if default else null_)
query = 'ALTER TABLE {0} CHANGE {1} {2} {3} {4} {5}'.format(wrap(table),
wrap(name), wrap(new_name), data_type, null_, default)
self.execute(query)
self._printer('\tModified column {0}'.format(name))
| modify_column | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, name, new_name=None, data_type=None, null=None, default=None\n ):\n existing_def = self.get_schema_dict(table)[name]\n new_name = new_nam... |
def x(self, course_id, include=None, search_term=None, student_id=None):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""- "items": Return module items inline if possible.
This parameter suggests that Canvas return module items directly
in the Module object JSON, to avoid having to make separate API
requests for each module when enumerating modules and items. Canvas
is free to omit 'items' for any particular module if it deems them
too numerous to return inline. Callers must be prepared to use the
{api:ContextModuleItemsApiController#index List Module Items API}
if items are not returned.
- "content_details": Requires include['items']. Returns additional
details with module items specific to their associated content items.
Includes standard lock information for each item."""
if include is not None:
self._validate_enum(include, ['items', 'content_details'])
params['include'] = include
"""The partial name of the modules (and module items, if include['items'] is
specified) to match and return."""
if search_term is not None:
params['search_term'] = search_term
"""Returns module completion information for the student with this id."""
if student_id is not None:
params['student_id'] = student_id
self.logger.debug(
'GET /api/v1/courses/{course_id}/modules with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET',
'/api/v1/courses/{course_id}/modules'.format(**path), data=data,
params=params, all_pages=True)
| list_modules | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, course_id, include=None, search_term=None, student_id=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = ... |
def x(self, course_id, module_name, module_position=None,
module_prerequisite_module_ids=None, module_publish_final_grade=None,
module_require_sequential_progress=None, module_unlock_at=None):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""The name of the module"""
data['module[name]'] = module_name
"""The date the module will unlock"""
if module_unlock_at is not None:
data['module[unlock_at]'] = module_unlock_at
"""The position of this module in the course (1-based)"""
if module_position is not None:
data['module[position]'] = module_position
"""Whether module items must be unlocked in order"""
if module_require_sequential_progress is not None:
data['module[require_sequential_progress]'
] = module_require_sequential_progress
"""IDs of Modules that must be completed before this one is unlocked.
Prerequisite modules must precede this module (i.e. have a lower position
value), otherwise they will be ignored"""
if module_prerequisite_module_ids is not None:
data['module[prerequisite_module_ids]'
] = module_prerequisite_module_ids
"""Whether to publish the student's final grade for the course upon
completion of this module."""
if module_publish_final_grade is not None:
data['module[publish_final_grade]'] = module_publish_final_grade
self.logger.debug(
'POST /api/v1/courses/{course_id}/modules with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('POST',
'/api/v1/courses/{course_id}/modules'.format(**path), data=data,
params=params, single_item=True)
| create_module | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, course_id, module_name, module_position=None,\n module_prerequisite_module_ids=None, module_publish_final_grade=None,\n module_require_sequential_p... |
def x(self, course_id, module_id, module_item_type, module_item_content_id,
module_item_completion_requirement_min_score=None,
module_item_completion_requirement_type=None, module_item_external_url=
None, module_item_indent=None, module_item_new_tab=None,
module_item_page_url=None, module_item_position=None, module_item_title
=None):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""ID"""
path['module_id'] = module_id
"""The name of the module item and associated content"""
if module_item_title is not None:
data['module_item[title]'] = module_item_title
"""The type of content linked to the item"""
self._validate_enum(module_item_type, ['File', 'Page', 'Discussion',
'Assignment', 'Quiz', 'SubHeader', 'ExternalUrl', 'ExternalTool'])
data['module_item[type]'] = module_item_type
"""The id of the content to link to the module item. Required, except for
'ExternalUrl', 'Page', and 'SubHeader' types."""
data['module_item[content_id]'] = module_item_content_id
"""The position of this item in the module (1-based)."""
if module_item_position is not None:
data['module_item[position]'] = module_item_position
"""0-based indent level; module items may be indented to show a hierarchy"""
if module_item_indent is not None:
data['module_item[indent]'] = module_item_indent
"""Suffix for the linked wiki page (e.g. 'front-page'). Required for 'Page'
type."""
if module_item_page_url is not None:
data['module_item[page_url]'] = module_item_page_url
"""External url that the item points to. [Required for 'ExternalUrl' and
'ExternalTool' types."""
if module_item_external_url is not None:
data['module_item[external_url]'] = module_item_external_url
"""Whether the external tool opens in a new tab. Only applies to
'ExternalTool' type."""
if module_item_new_tab is not None:
data['module_item[new_tab]'] = module_item_new_tab
"""Completion requirement for this module item.
"must_view": Applies to all item types
"must_contribute": Only applies to "Assignment", "Discussion", and "Page" types
"must_submit", "min_score": Only apply to "Assignment" and "Quiz" types
Inapplicable types will be ignored"""
if module_item_completion_requirement_type is not None:
self._validate_enum(module_item_completion_requirement_type, [
'must_view', 'must_contribute', 'must_submit'])
data['module_item[completion_requirement][type]'
] = module_item_completion_requirement_type
"""Minimum score required to complete. Required for completion_requirement
type 'min_score'."""
if module_item_completion_requirement_min_score is not None:
data['module_item[completion_requirement][min_score]'
] = module_item_completion_requirement_min_score
self.logger.debug(
'POST /api/v1/courses/{course_id}/modules/{module_id}/items with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('POST',
'/api/v1/courses/{course_id}/modules/{module_id}/items'.format(**
path), data=data, params=params, single_item=True)
| create_module_item | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, course_id, module_id, module_item_type, module_item_content_id,\n module_item_completion_requirement_min_score=None,\n module_item_completion_requi... |
def x(self, id, course_id, module_id,
module_item_completion_requirement_min_score=None,
module_item_completion_requirement_type=None, module_item_external_url=
None, module_item_indent=None, module_item_module_id=None,
module_item_new_tab=None, module_item_position=None,
module_item_published=None, module_item_title=None):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""ID"""
path['module_id'] = module_id
"""ID"""
path['id'] = id
"""The name of the module item"""
if module_item_title is not None:
data['module_item[title]'] = module_item_title
"""The position of this item in the module (1-based)"""
if module_item_position is not None:
data['module_item[position]'] = module_item_position
"""0-based indent level; module items may be indented to show a hierarchy"""
if module_item_indent is not None:
data['module_item[indent]'] = module_item_indent
"""External url that the item points to. Only applies to 'ExternalUrl' type."""
if module_item_external_url is not None:
data['module_item[external_url]'] = module_item_external_url
"""Whether the external tool opens in a new tab. Only applies to
'ExternalTool' type."""
if module_item_new_tab is not None:
data['module_item[new_tab]'] = module_item_new_tab
"""Completion requirement for this module item.
"must_view": Applies to all item types
"must_contribute": Only applies to "Assignment", "Discussion", and "Page" types
"must_submit", "min_score": Only apply to "Assignment" and "Quiz" types
Inapplicable types will be ignored"""
if module_item_completion_requirement_type is not None:
self._validate_enum(module_item_completion_requirement_type, [
'must_view', 'must_contribute', 'must_submit'])
data['module_item[completion_requirement][type]'
] = module_item_completion_requirement_type
"""Minimum score required to complete, Required for completion_requirement
type 'min_score'."""
if module_item_completion_requirement_min_score is not None:
data['module_item[completion_requirement][min_score]'
] = module_item_completion_requirement_min_score
"""Whether the module item is published and visible to students."""
if module_item_published is not None:
data['module_item[published]'] = module_item_published
"""Move this item to another module by specifying the target module id here.
The target module must be in the same course."""
if module_item_module_id is not None:
data['module_item[module_id]'] = module_item_module_id
self.logger.debug(
'PUT /api/v1/courses/{course_id}/modules/{module_id}/items/{id} with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('PUT',
'/api/v1/courses/{course_id}/modules/{module_id}/items/{id}'.format
(**path), data=data, params=params, single_item=True)
| update_module_item | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, course_id, module_id,\n module_item_completion_requirement_min_score=None,\n module_item_completion_requirement_type=None, module_item_external... |
def x(self, id, course_id, module_id, assignment_set_id=None, student_id=None):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""ID"""
path['module_id'] = module_id
"""ID"""
path['id'] = id
"""Assignment set chosen, as specified in the mastery_paths portion of the
context module item response"""
if assignment_set_id is not None:
data['assignment_set_id'] = assignment_set_id
"""Which student the selection applies to. If not specified, current user is
implied."""
if student_id is not None:
data['student_id'] = student_id
self.logger.debug(
'POST /api/v1/courses/{course_id}/modules/{module_id}/items/{id}/select_mastery_path with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('POST',
'/api/v1/courses/{course_id}/modules/{module_id}/items/{id}/select_mastery_path'
.format(**path), data=data, params=params, no_data=True)
| select_mastery_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, course_id, module_id, assignment_set_id=None, student_id=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_... |
def x(self, course_id, asset_id=None, asset_type=None):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""The type of asset to find module sequence information for. Use the ModuleItem if it is known
(e.g., the user navigated from a module item), since this will avoid ambiguity if the asset
appears more than once in the module sequence."""
if asset_type is not None:
self._validate_enum(asset_type, ['ModuleItem', 'File', 'Page',
'Discussion', 'Assignment', 'Quiz', 'ExternalTool'])
params['asset_type'] = asset_type
"""The id of the asset (or the url in the case of a Page)"""
if asset_id is not None:
params['asset_id'] = asset_id
self.logger.debug(
'GET /api/v1/courses/{course_id}/module_item_sequence with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET',
'/api/v1/courses/{course_id}/module_item_sequence'.format(**path),
data=data, params=params, single_item=True)
| get_module_item_sequence | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, course_id, asset_id=None, asset_type=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = course_id\n \"... |
def x(cfg):
for h in cfg:
if h.get('type') in data_types:
raise KeyError("Data type '%s' already exists" % h)
data_types[h.get('type')] = DataType(h)
| instantiate_from_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cfg):\n for h in cfg:\n if h.get('type') in data_types:\n raise KeyError(\"Data type '%s' already exists\" % h)\n data_types[h.get(... |
def x(self, response, data_key=None):
response_json_data = response.json()
if type(response_json_data) == list:
return response_json_data
elif type(response_json_data) == dict:
if data_key is None:
return response_json_data
else:
return response_json_data[data_key]
else:
raise CanvasAPIError(response)
| extract_data_from_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, response, data_key=None):\n response_json_data = response.json()\n if type(response_json_data) == list:\n return response_json_data\n eli... |
def x(self, response):
try:
link_header = response.headers['Link']
except KeyError:
logger.warn(
'Unable to find the Link header. Unable to continue with pagination.'
)
return None
split_header = link_header.split(',')
exploded_split_header = [i.split(';') for i in split_header]
pagination_links = {}
for h in exploded_split_header:
link = h[0]
rel = h[1]
if link.startswith('<') and link.endswith('>'):
link = link[1:-1]
else:
continue
m = self.rel_matcher.match(rel)
try:
rel = m.groups()[0]
except AttributeError:
continue
except IndexError:
continue
pagination_links[rel] = link
return pagination_links
| extract_pagination_links | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, response):\n try:\n link_header = response.headers['Link']\n except KeyError:\n logger.warn(\n 'Unable to find the Link he... |
def x(self, method, uri, all_pages=False, data_key=None, no_data=False,
do_not_process=False, force_urlencode_data=False, data=None, params=
None, files=None, single_item=False):
if not uri.startswith('http'):
uri = self.uri_for(uri)
if force_urlencode_data is True:
uri += '?' + urllib.urlencode(data)
assert method in ['GET', 'POST', 'PUT', 'DELETE', 'HEAD', 'OPTIONS']
if method == 'GET':
response = self.session.get(uri, params=params)
elif method == 'POST':
response = self.session.post(uri, data=data, files=files)
elif method == 'PUT':
response = self.session.put(uri, data=data)
elif method == 'DELETE':
response = self.session.delete(uri, params=params)
elif method == 'HEAD':
response = self.session.head(uri, params=params)
elif method == 'OPTIONS':
response = self.session.options(uri, params=params)
response.raise_for_status()
if do_not_process is True:
return response
if no_data:
return response.status_code
if all_pages:
return self.depaginate(response, data_key)
if single_item:
r = response.json()
if data_key:
return r[data_key]
else:
return r
return response.json()
| generic_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, uri, all_pages=False, data_key=None, no_data=False,\n do_not_process=False, force_urlencode_data=False, data=None, params=\n None, files=No... |
def x(self, value):
ISO8601_REGEX = (
'(\\d{4})-(\\d{2})-(\\d{2})T(\\d{2})\\:(\\d{2})\\:(\\d{2})([+-](\\d{2})\\:(\\d{2})|Z)'
)
if re.match(ISO8601_REGEX, value):
return value
else:
raise ValueError('{} must be in ISO8601 format.'.format(value))
| validate_iso8601_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n ISO8601_REGEX = (\n '(\\\\d{4})-(\\\\d{2})-(\\\\d{2})T(\\\\d{2})\\\\:(\\\\d{2})\\\\:(\\\\d{2})([+-](\\\\d{2})\\\\:(\\\\d{2})|Z)'\n ... |
def x(dbpath, schema='', overwrite=True):
if dbpath.endswith('.db'):
if os.path.isfile(dbpath) and overwrite:
os.system('rm {}'.format(dbpath))
if schema:
os.system('cat {} | sqlite3 {}'.format(schema, dbpath))
else:
sources_table = (
'CREATE TABLE sources (id INTEGER PRIMARY KEY, ra REAL, dec REAL, designation TEXT, publication_id INTEGER, shortname TEXT, names TEXT, comments TEXT)'
)
os.system("sqlite3 {} '{}'".format(dbpath, sources_table))
if os.path.isfile(dbpath):
print(
"""
Database created! To load, run
db = astrodb.Database('{}')
Then run db.modify_table() method to create tables."""
.format(dbpath))
else:
print(
'Please provide a path and file name with a .db file extension, e.g. /Users/<username>/Desktop/test.db'
)
| create_database | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dbpath, schema='', overwrite=True):\n if dbpath.endswith('.db'):\n if os.path.isfile(dbpath) and overwrite:\n os.system('rm {}'.format(dbp... |
def x(arr):
out = io.BytesIO()
np.save(out, arr), out.seek(0)
return buffer(out.read())
| adapt_array | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(arr):\n out = io.BytesIO()\n np.save(out, arr), out.seek(0)\n return buffer(out.read())\n",
"role": "user"
},
{
"content": "adapt_array",
... |
def x(row, ra1, dec1):
factor = math.pi / 180
sdlon = math.sin((row['ra'] - ra1) * factor)
cdlon = math.cos((row['ra'] - ra1) * factor)
slat1 = math.sin(dec1 * factor)
slat2 = math.sin(row['dec'] * factor)
clat1 = math.cos(dec1 * factor)
clat2 = math.cos(row['dec'] * factor)
num1 = clat2 * sdlon
num2 = clat1 * slat2 - slat1 * clat2 * cdlon
numerator = math.sqrt(num1 ** 2 + num2 ** 2)
denominator = slat1 * slat2 + clat1 * clat2 * cdlon
return np.arctan2(numerator, denominator) / factor
| ang_sep | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(row, ra1, dec1):\n factor = math.pi / 180\n sdlon = math.sin((row['ra'] - ra1) * factor)\n cdlon = math.cos((row['ra'] - ra1) * factor)\n slat1 = m... |
def x(array):
out = io.BytesIO(array)
out.seek(0)
return np.load(out)
| convert_array | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(array):\n out = io.BytesIO(array)\n out.seek(0)\n return np.load(out)\n",
"role": "user"
},
{
"content": "convert_array",
"role": "ass... |
def x(File, verbose=False):
image, header = '', ''
if isinstance(File, type(b'')):
File = File.decode('utf-8')
if isinstance(File, (str, type(u''))):
if File.startswith('$'):
abspath = os.popen('echo {}'.format(File.split('/')[0])).read()[:-1
]
if abspath:
File = File.replace(File.split('/')[0], abspath)
if File.startswith('http'):
if verbose:
print('Downloading {}'.format(File))
downloaded_file = download_file(File, cache=True)
else:
downloaded_file = File
try:
image, header = pf.getdata(downloaded_file, cache=True, header=True
)
if not isinstance(image, np.ndarray):
image = None
if verbose:
print('Read as FITS...')
except (IOError, KeyError):
try:
image, header = pf.getdata(downloaded_file, cache=True,
header=True)
if verbose:
print('Read as FITS Numpy array...')
except (IOError, KeyError):
try:
image = ii.read(downloaded_file)
image = np.array([np.asarray(image.columns[n]) for n in
range(len(image.columns))])
if verbose:
print('Read as ascii...')
txt, header = open(downloaded_file), []
for i in txt:
if any([i.startswith(char) for char in ['#', '|',
'\\']]):
header.append(i.replace('\n', ''))
txt.close()
except:
pass
if image == '':
print('Could not retrieve image at {}.'.format(File))
return File
else:
image = Image(image, header, File)
return image
| convert_image | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(File, verbose=False):\n image, header = '', ''\n if isinstance(File, type(b'')):\n File = File.decode('utf-8')\n if isinstance(File, (str, type... |
def x(File, verbose=False):
spectrum, header = '', ''
if isinstance(File, type(b'')):
File = File.decode('utf-8')
if isinstance(File, (str, type(u''))):
if File.startswith('$'):
abspath = os.popen('echo {}'.format(File.split('/')[0])).read()[:-1
]
if abspath:
File = File.replace(File.split('/')[0], abspath)
if File.startswith('http'):
if verbose:
print('Downloading {}'.format(File))
downloaded_file = download_file(File, cache=True)
else:
downloaded_file = File
try:
spectrum, header = pf.getdata(downloaded_file, cache=True,
header=True)
KEY_TYPE = ['CTYPE1']
setType = set(KEY_TYPE).intersection(set(header.keys()))
if len(setType) == 0:
isLinear = True
else:
valType = header[setType.pop()]
isLinear = valType.strip().upper() == 'LINEAR'
spectrum = __get_spec(spectrum, header, File)
if not isinstance(spectrum[0], np.ndarray):
tempwav = __create_waxis(header, len(spectrum[1]), File)
if 'INSTRUME' in header.keys():
if header['INSTRUME'].strip(
) == 'FIRE' and 'CDELT1' in header.keys():
tempwav = __create_waxis(header, len(spectrum[1]),
File, wlog=True)
spectrum[0] = tempwav
if not isinstance(spectrum[0], np.ndarray):
spectrum = None
if verbose:
print('Read as FITS...')
except (IOError, KeyError):
try:
spectrum, header = pf.getdata(downloaded_file, cache=True,
header=True)
if verbose:
print('Read as FITS Numpy array...')
except (IOError, KeyError):
try:
spectrum = ii.read(downloaded_file)
spectrum = np.array([np.asarray(spectrum.columns[n]) for
n in range(len(spectrum.columns))])
if verbose:
print('Read as ascii...')
txt, header = open(downloaded_file), []
for i in txt:
if any([i.startswith(char) for char in ['#', '|',
'\\']]):
header.append(i.replace('\n', ''))
txt.close()
except:
pass
if spectrum == '':
print('Could not retrieve spectrum at {}.'.format(File))
return File
else:
spectrum = Spectrum(spectrum, header, File)
return spectrum
| convert_spectrum | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(File, verbose=False):\n spectrum, header = '', ''\n if isinstance(File, type(b'')):\n File = File.decode('utf-8')\n if isinstance(File, (str, t... |
def x(data, names='', title='', formats={}):
if type(data) != at.Table:
data = at.Table(data, names=names)
pdata = data.copy()
try:
title = title or pdata.meta['name']
except:
pass
for old, new in zip(*[pdata.colnames, [i.replace('wavelength', 'wav').
replace('publication', 'pub').replace('instrument', 'inst').replace
('telescope', 'scope') for i in pdata.colnames]]):
pdata.rename_column(old, new) if new != old else None
formats.update({'comments': '%.15s', 'obs_date': '%.10s', 'names':
'%.30s', 'description': '%.50s'})
if title:
print('\n' + title)
try:
ii.write(pdata, sys.stdout, Writer=ii.FixedWidthTwoLine, formats=
formats, fill_values=[('None', '-')])
except UnicodeDecodeError:
max_length = 50
str_lengths = dict()
for key in pdata.keys():
lengths = map(lambda x: len(str(x).decode('utf-8')), pdata[key]
.data)
lengths.append(len(key))
str_lengths[key] = min(max(lengths), max_length)
print(' '.join(key.rjust(str_lengths[key]) for key in pdata.keys()))
print(' '.join('-' * str_lengths[key] for key in pdata.keys()))
for i in pdata:
print(' '.join([(str(i[key]).decode('utf-8')[:max_length].rjust
(str_lengths[key]) if i[key] else '-'.rjust(str_lengths[key
])) for key in pdata.keys()]))
| pprint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, names='', title='', formats={}):\n if type(data) != at.Table:\n data = at.Table(data, names=names)\n pdata = data.copy()\n try:\n ... |
def x(data, units=False):
units = [(i.unit if hasattr(i, 'unit') else 1) for i in data]
data = [np.asarray(i.value if hasattr(i, 'unit') else i, dtype=np.
float32) for i in data if isinstance(i, np.ndarray)]
data = [i[np.where(~np.isinf(data[1]))] for i in data]
data = [i[np.where(np.logical_and(data[1] > 0, ~np.isnan(data[1])))] for
i in data]
data = [i[np.unique(data[0], return_index=True)[1]] for i in data]
return [(i[np.lexsort([data[0]])] * Q) for i, Q in zip(data, units)
] if units else [i[np.lexsort([data[0]])] for i in data]
| scrub | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, units=False):\n units = [(i.unit if hasattr(i, 'unit') else 1) for i in data]\n data = [np.asarray(i.value if hasattr(i, 'unit') else i, dtype=np.\... |
def x(record):
try:
record['filename'] = os.path.basename(record['spectrum'])
if record['spectrum'].endswith('.fits'):
header = pf.getheader(record['spectrum'])
if not record['wavelength_units']:
try:
record['wavelength_units'] = header['XUNITS']
except KeyError:
try:
if header['BUNIT']:
record['wavelength_units'] = 'um'
except KeyError:
pass
if 'microns' in record['wavelength_units'] or 'Microns' in record[
'wavelength_units'] or 'um' in record['wavelength_units']:
record['wavelength_units'] = 'um'
if not record['flux_units']:
try:
record['flux_units'] = header['YUNITS'].replace(' ', '')
except KeyError:
try:
record['flux_units'] = header['BUNIT'].replace(' ', '')
except KeyError:
pass
if 'erg' in record['flux_units'] and 'A' in record['flux_units']:
record['flux_units'] = 'ergs-1cm-2A-1' if 'erg' in record[
'flux_units'] and 'A' in record['flux_units'
] else 'ergs-1cm-2um-1' if 'erg' in record['flux_units'
] and 'um' in record['flux_units'
] else 'Wm-2um-1' if 'W' in record['flux_units'
] and 'um' in record['flux_units'
] else 'Wm-2A-1' if 'W' in record['flux_units'
] and 'A' in record['flux_units'] else ''
if not record['obs_date']:
try:
record['obs_date'] = header['DATE_OBS']
except KeyError:
try:
record['obs_date'] = header['DATE-OBS']
except KeyError:
try:
record['obs_date'] = header['DATE']
except KeyError:
pass
if not record['telescope_id']:
try:
n = header['TELESCOP'].lower() if isinstance(header[
'TELESCOP'], str) else ''
record['telescope_id'] = (5 if 'hst' in n else 6 if
'spitzer' in n else 7 if 'irtf' in n else 9 if
'keck' in n and 'ii' in n else 8 if 'keck' in n and
'i' in n else 10 if 'kp' in n and '4' in n else 11 if
'kp' in n and '2' in n else 12 if 'bok' in n else
13 if 'mmt' in n else 14 if 'ctio' in n and '1' in
n else 15 if 'ctio' in n and '4' in n else 16 if
'gemini' in n and 'north' in n else 17 if 'gemini' in
n and 'south' in n else 18 if 'vlt' in n and 'U2' in
n else 19 if '3.5m' in n else 20 if 'subaru' in n else
21 if 'mag' in n and 'ii' in n or 'clay' in n else
22 if 'mag' in n and 'i' in n or 'baade' in n else
23 if 'eso' in n and '1m' in n else 24 if 'cfht' in
n else 25 if 'ntt' in n else 26 if 'palomar' in n and
'200-inch' in n else 27 if 'pan-starrs' in n else
28 if 'palomar' in n and '60-inch' in n else 29 if
'ctio' in n and '0.9m' in n else 30 if 'soar' in n else
31 if 'vlt' in n and 'U3' in n else 32 if 'vlt' in
n and 'U4' in n else 33 if 'gtc' in n else None)
except KeyError:
pass
if not record['instrument_id']:
try:
i = header['INSTRUME'].lower()
record['instrument_id'] = (1 if 'r-c spec' in i or
'test' in i or 'nod' in i else 2 if 'gmos-n' in i else
3 if 'gmos-s' in i else 4 if 'fors' in i else 5 if
'lris' in i else 6 if 'spex' in i else 7 if 'ldss3' in
i else 8 if 'focas' in i else 9 if 'nirspec' in i else
10 if 'irs' in i else 11 if 'fire' in i else 12 if
'mage' in i else 13 if 'goldcam' in i else 14 if
'sinfoni' in i else 15 if 'osiris' in i else 16 if
'triplespec' in i else 17 if 'x-shooter' in i else
18 if 'gnirs' in i else 19 if 'wircam' in i else 20 if
'cormass' in i else 21 if 'isaac' in i else 22 if
'irac' in i else 23 if 'dis' in i else 24 if
'susi2' in i else 25 if 'ircs' in i else 26 if
'nirc' in i else 29 if 'stis' in i else 0)
except KeyError:
pass
except:
pass
return record
| autofill_spec_record | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(record):\n try:\n record['filename'] = os.path.basename(record['spectrum'])\n if record['spectrum'].endswith('.fits'):\n header = p... |
def x(self, user='', mod_tables='', user_desc=''):
import datetime
import socket
if user == '' or mod_tables == '' or user_desc == '':
print(
'You must supply your name, the name(s) of table(s) edited, and a description for add_changelog() to work.'
)
raise InputError(
"""Did not supply the required input, see help(db.add_changelog) for more information.
Your inputs:
user = {}
mod_tables = {}
user_desc = {}"""
.format(user, mod_tables, user_desc))
mod_tables = mod_tables.upper()
data = list()
data.append(['date', 'user', 'machine_name', 'modified_tables',
'user_description'])
datestr = datetime.datetime.now().strftime('%Y-%m-%d %H:%M')
machine = socket.gethostname()
data.append([datestr, user, machine, mod_tables, user_desc])
self.add_data(data, 'changelog')
| add_changelog | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user='', mod_tables='', user_desc=''):\n import datetime\n import socket\n if user == '' or mod_tables == '' or user_desc == '':\n print(... |
def x(self, data, table, delimiter='|', bands='', clean_up=True,
rename_columns={}, column_fill={}, verbose=False):
entry, del_records = data, []
if isinstance(data, str) and os.path.isfile(data):
data = ii.read(data, delimiter=delimiter)
elif isinstance(data, (list, tuple, np.ndarray)):
data = ii.read(['|'.join(map(str, row)) for row in data],
data_start=1, delimiter='|')
elif isinstance(data, pd.core.frame.DataFrame):
data = at.Table.from_pandas(data)
elif isinstance(data, at.Table):
pass
else:
data = None
if data:
if isinstance(rename_columns, str):
rename_columns = astrocat.default_rename_columns(rename_columns)
for input_name, new_name in rename_columns.items():
data.rename_column(input_name, new_name)
if isinstance(column_fill, str):
column_fill = astrocat.default_column_fill(column_fill)
for colname, fill_value in column_fill.items():
data[colname] = [fill_value] * len(data)
metadata = self.query('PRAGMA table_info({})'.format(table), fmt=
'table')
columns, types, required = [np.array(metadata[n]) for n in ['name',
'type', 'notnull']]
new_records = at.Table(names=columns, dtype=[type_dict[t] for t in
types])
for col in data.colnames:
try:
temp = data[col].astype(new_records[col].dtype)
data.replace_column(col, temp)
except KeyError:
continue
if bands and table.lower() == 'photometry':
for b in list(set(bands) & set(data.colnames)):
try:
band = data[list(set(columns) & set(data.colnames)) + [
b, b + '_unc']]
for suf in ['', '_unc']:
band.rename_column(b + suf, 'magnitude' + suf)
temp = band['magnitude' + suf].astype(new_records[
'magnitude' + suf].dtype)
band.replace_column('magnitude' + suf, temp)
band.add_column(at.Column([b] * len(band), name='band',
dtype='O'))
new_records = at.vstack([new_records, band])
except IOError:
pass
else:
new_records = at.vstack([new_records, data])[new_records.colnames]
for r in columns[np.where(np.logical_and(required, columns != 'id'))]:
new_records = new_records[np.where(new_records[r])]
try:
new_records = new_records[~new_records[r].mask]
except:
pass
if new_records.dtype[r] in (int, float):
new_records = new_records[~np.isnan(new_records[r])]
if table.lower() == 'spectra':
for n, new_rec in enumerate(new_records):
relpath = new_rec['spectrum']
if relpath.startswith('$'):
abspath = os.popen('echo {}'.format(relpath.split('/')[0])
).read()[:-1]
if abspath:
new_rec['spectrum'] = relpath.replace(relpath.split
('/')[0], abspath)
if os.path.isfile(new_rec['spectrum']):
new_records[n]['spectrum'] = relpath
new_records[n] = _autofill_spec_record(new_rec)
else:
print('Error adding the spectrum at {}'.format(new_rec[
'spectrum']))
del_records.append(n)
new_records.remove_rows(del_records)
if table.lower() == 'images':
for n, new_rec in enumerate(new_records):
relpath = new_rec['image']
if relpath.startswith('$'):
abspath = os.popen('echo {}'.format(relpath.split('/')[0])
).read()[:-1]
if abspath:
new_rec['image'] = relpath.replace(relpath.split(
'/')[0], abspath)
if os.path.isfile(new_rec['image']):
new_records[n]['image'] = relpath
new_records[n] = _autofill_spec_record(new_rec)
else:
print('Error adding the image at {}'.format(new_rec[
'image']))
del_records.append(n)
new_records.remove_rows(del_records)
rowids = self._lowest_rowids(table, len(new_records))
keepers, rejects = [], []
for N, new_rec in enumerate(new_records):
new_rec = list(new_rec)
new_rec[0] = rowids[N]
for n, col in enumerate(new_rec):
if type(col) == np.int64 and sys.version_info[0] >= 3:
new_rec[n] = col.item()
if type(col) == np.ma.core.MaskedConstant:
new_rec[n] = None
try:
self.modify('INSERT INTO {} VALUES({})'.format(table, ','.
join('?' * len(columns))), new_rec, verbose=verbose)
keepers.append(N)
except IOError:
rejects.append(N)
new_records[N]['id'] = rowids[N]
rejected = new_records[rejects]
new_records = new_records[keepers]
if new_records:
print('\x1b[1;32m{} new records added to the {} table.\x1b[1;m'
.format(len(new_records), table.upper()))
new_records.pprint()
if rejected:
print('\x1b[1;31m{} records rejected from the {} table.\x1b[1;m'
.format(len(rejected), table.upper()))
rejected.pprint()
if clean_up:
self.clean_up(table, verbose)
else:
print('Please check your input: {}'.format(entry))
| add_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, table, delimiter='|', bands='', clean_up=True,\n rename_columns={}, column_fill={}, verbose=False):\n entry, del_records = data, []\n if i... |
def x(self, table, parent, key_child, key_parent, verbose=True):
self.list('PRAGMA foreign_keys=OFF')
metadata = self.query('PRAGMA table_info({})'.format(table), fmt='table')
columns, types, required, pk = [np.array(metadata[n]) for n in ['name',
'type', 'notnull', 'pk']]
constraints = []
for elem in required:
if elem > 0:
constraints.append('NOT NULL')
else:
constraints.append('')
ind, = np.where(pk >= 1)
for i in ind:
constraints[i] += ' UNIQUE'
pk_names = columns[ind]
try:
self.list('DROP TABLE IF EXISTS TempOldTable_foreign')
self.list('ALTER TABLE {0} RENAME TO TempOldTable_foreign'.format(
table))
sqltxt = 'CREATE TABLE {0} (\n\t{1}'.format(table, ', \n\t'.join([
'{} {} {}'.format(c, t, r) for c, t, r in zip(columns, types,
constraints)]))
sqltxt += ', \n\tPRIMARY KEY({})'.format(', '.join([elem for elem in
pk_names]))
if isinstance(key_child, type(list())):
for kc, p, kp in zip(key_child, parent, key_parent):
sqltxt += (
', \n\tFOREIGN KEY ({0}) REFERENCES {1} ({2}) ON UPDATE CASCADE'
.format(kc, p, kp))
else:
sqltxt += (
', \n\tFOREIGN KEY ({0}) REFERENCES {1} ({2}) ON UPDATE CASCADE'
.format(key_child, parent, key_parent))
sqltxt += ' \n)'
self.list(sqltxt)
tempdata = self.query('PRAGMA table_info(TempOldTable_foreign)',
fmt='table')
old_columns = [c for c in tempdata['name'] if c in columns]
self.list('INSERT INTO {0} ({1}) SELECT {1} FROM TempOldTable_foreign'
.format(table, ','.join(old_columns)))
self.list('DROP TABLE TempOldTable_foreign')
if verbose:
t = self.query('SELECT name, sql FROM sqlite_master', fmt='table')
print(t[t['name'] == table]['sql'][0])
except:
print('Error attempting to add foreign key.')
self.list('DROP TABLE IF EXISTS {0}'.format(table))
self.list('ALTER TABLE TempOldTable_foreign RENAME TO {0}'.format(
table))
raise sqlite3.IntegrityError('Failed to add foreign key')
self.list('PRAGMA foreign_keys=ON')
| add_foreign_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, parent, key_child, key_parent, verbose=True):\n self.list('PRAGMA foreign_keys=OFF')\n metadata = self.query('PRAGMA table_info({})'.format(... |
def x(self, table, verbose=False):
metadata = self.query('PRAGMA table_info({})'.format(table), fmt='table')
columns, types, required = [np.array(metadata[n]) for n in ['name',
'type', 'notnull']]
ignore = self.query('SELECT * FROM ignore WHERE tablename LIKE ?', (table,)
)
duplicate, command = [1], ''
req_keys = columns[np.where(required)]
try:
self.modify('DELETE FROM {} WHERE {}'.format(table, ' OR '.join([(i +
' IS NULL') for i in req_keys])), verbose=False)
self.modify('DELETE FROM {} WHERE {}'.format(table, ' OR '.join([(i +
" IN ('null','None','')") for i in req_keys])), verbose=False)
except:
pass
self.modify(
'DELETE FROM {0} WHERE id NOT IN (SELECT min(id) FROM {0} GROUP BY {1})'
.format(table, ', '.join(columns[1:])), verbose=False)
if table.lower() != 'sources':
req_keys = columns[np.where(np.logical_and(required, columns != 'id'))]
if not type(ignore) == np.ndarray:
ignore = np.array([])
new_ignore = []
while any(duplicate):
if 'source_id' not in columns:
SQL = (
'SELECT t1.id, t2.id FROM {0} t1 JOIN {0} t2 ON t1.id=t2.id WHERE '
.format(table))
else:
SQL = (
'SELECT t1.id, t2.id FROM {0} t1 JOIN {0} t2 ON t1.source_id=t2.source_id WHERE t1.id!=t2.id AND '
.format(table))
if any(req_keys):
SQL += ' AND '.join(['t1.{0}=t2.{0}'.format(i) for i in req_keys]
) + ' AND '
if any(ignore):
SQL += ' AND '.join([
'(t1.id NOT IN ({0}) AND t2.id NOT IN ({0}))'.format(','.
join(map(str, [id1, id2]))) for id1, id2 in zip(ignore[
'id1'], ignore['id2'])] if any(ignore) else '') + ' AND '
if any(new_ignore):
SQL += ' AND '.join([
'(t1.id NOT IN ({0}) AND t2.id NOT IN ({0}))'.format(','.
join(map(str, ni))) for ni in new_ignore] if new_ignore else ''
) + ' AND '
if SQL[-6:] == 'WHERE ':
SQL = SQL[:-6]
if SQL[-5:] == ' AND ':
SQL = SQL[:-5]
if verbose:
print('\nSearching for duplicates with: {}\n'.format(SQL))
duplicate = self.query(SQL, fetch='one')
try:
command = self._compare_records(table, duplicate)
if command == 'keep':
new_ignore.append([duplicate[0], duplicate[1]])
self.list('INSERT INTO ignore VALUES(?,?,?,?)', (None,
duplicate[0], duplicate[1], table.lower()))
elif command == 'undo':
pass
elif command == 'abort':
break
else:
pass
except:
break
if command == 'abort':
print('\nAborted clean up of {} table.'.format(table.upper()))
return 'abort'
else:
print('\nFinished clean up on {} table.'.format(table.upper()))
| clean_up | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, verbose=False):\n metadata = self.query('PRAGMA table_info({})'.format(table), fmt='table')\n columns, types, required = [np.array(metadata[... |
def x(self, silent=False):
if not silent:
saveme = get_input(
"""Save database contents to '{}/'? (y, [n])
To save elsewhere, run db.save() before closing. """
.format(self.directory))
if saveme.lower() == 'y':
self.save()
delete = get_input(
"""Do you want to delete {0}? (y,[n])
Don't worry, a new one will be generated if you run astrodb.Database('{1}') """
.format(self.dbpath, self.sqlpath))
if delete.lower() == 'y':
print('Deleting {}'.format(self.dbpath))
os.system('rm {}'.format(self.dbpath))
print('Closing connection')
self.conn.close()
| close | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, silent=False):\n if not silent:\n saveme = get_input(\n \"\"\"Save database contents to '{}/'? (y, [n]) \nTo save elsewhere, run db.... |
def x(self, table, duplicate, options=['r', 'c', 'k', 'sql']):
verbose = True
if duplicate[0] == duplicate[1]:
verbose = False
data = self.query('SELECT * FROM {} WHERE id IN ({})'.format(table, ','
.join(map(str, duplicate))), fmt='table', verbose=verbose,
use_converters=False)
columns = data.colnames[1:]
old, new = [[data[n][k] for k in columns[1:]] for n in [0, 1]]
replace = get_input(
"""
Keep both records [k]? Or replace [r], complete [c], or keep only [Press *Enter*] record {}? (Type column name to inspect or 'help' for options): """
.format(duplicate[0])).lower()
replace = replace.strip()
while replace in columns or replace == 'help':
if replace in columns:
pprint(np.asarray([[i for idx, i in enumerate(old) if idx in [0,
columns.index(replace)]], [i for idx, i in enumerate(new) if
idx in [0, columns.index(replace)]]]), names=['id', replace])
elif replace == 'help':
_help()
replace = get_input(
"""
Keep both records [k]? Or replace [r], complete [c], or keep only [Press *Enter*] record {}? (Type column name to inspect or 'help' for options): """
.format(duplicate[0])).lower()
if replace and replace.split()[0] in options:
if replace == 'r':
sure = get_input(
'Are you sure you want to replace record {} with record {}? [y/n] : '
.format(*duplicate))
if sure.lower() == 'y':
self.modify('DELETE FROM {} WHERE id={}'.format(table,
duplicate[0]), verbose=False)
self.modify('UPDATE {} SET id={} WHERE id={}'.format(table,
duplicate[0], duplicate[1]), verbose=False)
elif replace.startswith('r'):
replace_cols = replace.split()[1:]
if all([(i in columns) for i in replace_cols]):
empty_cols, new_vals = zip(*[['{}=?'.format(e), n] for e, n in
zip(columns, new) if e in replace_cols])
if empty_cols:
self.modify('DELETE FROM {} WHERE id={}'.format(table,
duplicate[1]), verbose=False)
self.modify('UPDATE {} SET {} WHERE id={}'.format(table,
','.join(empty_cols), duplicate[0]), tuple(new_vals
), verbose=False)
else:
badcols = ','.join([i for i in replace_cols if i not in
columns])
print('\nInvalid column names for {} table: {}'.format(
table, badcols))
elif replace == 'c':
try:
empty_cols, new_vals = zip(*[['{}=?'.format(e), n] for e, o,
n in zip(columns[1:], old, new) if n and not o])
self.modify('DELETE FROM {} WHERE id={}'.format(table,
duplicate[1]), verbose=False)
self.modify('UPDATE {} SET {} WHERE id={}'.format(table,
','.join(empty_cols), duplicate[0]), tuple(new_vals),
verbose=False)
except:
pass
elif replace == 'k':
return 'keep'
elif replace.startswith('sql') and 'sql' in options:
self.modify(replace[4:], verbose=False)
elif replace == 'abort':
return 'abort'
elif not replace:
self.modify('DELETE FROM {} WHERE id={}'.format(table, max(
duplicate)), verbose=False)
else:
print("\nInvalid command: {}\nTry again or type 'help' or 'abort'.\n"
.format(replace))
| compare_records | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, duplicate, options=['r', 'c', 'k', 'sql']):\n verbose = True\n if duplicate[0] == duplicate[1]:\n verbose = False\n data = self.qu... |
def x(self, SQL, use_converters=True):
try:
if 'select' in SQL.lower() and 'from' in SQL.lower():
tdict = {}
from_clause = SQL.lower().split('from ')[-1].split(' where')[0]
tables = [j for k in [i.split(' on ') for i in from_clause.
split(' join ')] for j in k if '=' not in j]
for t in tables:
t = t.replace('as', '')
try:
name, alias = t.split()
tdict[alias] = name
except:
tdict[t] = t
columns = SQL.replace(' ', '').lower().split('distinct' if
'distinct' in SQL.lower() else 'select')[1].split('from')[0
].split(',')
for n, col in enumerate(columns):
if '.' in col:
t, col = col.split('.')
else:
t = tables[0]
if '*' in col:
col = np.array(self.list('PRAGMA table_info({})'.format
(tdict.get(t))).fetchall()).T[1]
else:
col = [col]
columns[n] = [('{}.{}'.format(t, c) if len(tables) > 1 else
c) for c in col]
columns = [j for k in columns for j in k]
dSQL = 'SELECT ' + ','.join(['typeof({})'.format(col) for col in
columns]) + ' FROM ' + SQL.replace('from', 'FROM').split('FROM'
)[-1]
if use_converters:
dtypes = [None] * len(columns)
else:
dtypes = self.list(dSQL).fetchone()
SQL = 'SELECT {}'.format('DISTINCT ' if 'distinct' in SQL.lower
() else '') + (','.join(["{0} AS '{0}'".format(col) for col in
columns]) if use_converters else ','.join([
"{1}{0}{2} AS '{0}'".format(col, 'CAST(' if dt != 'null' else
'', ' AS {})'.format(dt) if dt != 'null' else '') for dt,
col in zip(dtypes, columns)])) + ' FROM ' + SQL.replace('from',
'FROM').split('FROM')[-1]
elif 'pragma' in SQL.lower():
columns = ['cid', 'name', 'type', 'notnull', 'dflt_value', 'pk']
return SQL, columns
except:
return SQL, ''
| explicit_query | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, SQL, use_converters=True):\n try:\n if 'select' in SQL.lower() and 'from' in SQL.lower():\n tdict = {}\n from_clause = SQ... |
def x(self, id, fetch=False, table='publications'):
import requests
bibcode_name = 'bibcode'
if isinstance(id, type(1)):
bibcode = self.query('SELECT {} FROM {} WHERE id={}'.format(
bibcode_name, table, id), fetch='one')
else:
bibcode = self.query("SELECT {} FROM {} WHERE shortname='{}'".
format(bibcode_name, table, id), fetch='one')
if isinstance(bibcode, type(None)):
print('No bibcode for {}'.format(id))
return
bibcode = bibcode[0]
if bibcode == '':
print('No bibcode for {}'.format(id))
return
url = (
'http://adsabs.harvard.edu/cgi-bin/nph-bib_query?bibcode={}&data_type=BIBTEX&db_key=AST&nocookieset=1'
.format(bibcode))
try:
r = requests.get(url)
except Exception as ex:
print('Error accessing url {}'.format(url))
print(ex.message)
return
if r.status_code == 200:
ind = r.content.find(b'@')
print(r.content[ind:].strip().decode('utf-8'))
if fetch:
return r.content[ind:].strip()
else:
print('Error getting bibtex')
return
| get_bibtex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, fetch=False, table='publications'):\n import requests\n bibcode_name = 'bibcode'\n if isinstance(id, type(1)):\n bibcode = self.query... |
def x(self):
t = self.query("SELECT * FROM sqlite_master WHERE type='table'", fmt=
'table')
all_tables = t['name'].tolist()
print('\nDatabase path: {} \nSQL path: {}\n'.format(self.dbpath, self.
sqlpath))
print('Database Inventory')
print('==================')
for table in (['sources'] + [t for t in all_tables if t not in [
'sources', 'sqlite_sequence']]):
x = self.query('select count() from {}'.format(table), fmt='array',
fetch='one')
if x is None:
continue
print('{}: {}'.format(table.upper(), x[0]))
| info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n t = self.query(\"SELECT * FROM sqlite_master WHERE type='table'\", fmt=\n 'table')\n all_tables = t['name'].tolist()\n print('\\nDatab... |
def x(self, source_id, fetch=False, fmt='table'):
data_tables = {}
t = self.query("SELECT * FROM sqlite_master WHERE type='table'", fmt=
'table')
all_tables = t['name'].tolist()
for table in (['sources'] + [t for t in all_tables if t not in [
'sources', 'sqlite_sequence']]):
try:
t = self.query('PRAGMA table_info({})'.format(table), fmt='table')
columns = np.array(t['name'])
types = np.array(t['type'])
if table == 'sources' or 'source_id' in columns:
if not fetch:
columns = columns[((types == 'REAL') | (types ==
'INTEGER') | (types == 'TEXT')) & (columns !=
'source_id')]
try:
id = 'id' if table.lower() == 'sources' else 'source_id'
data = self.query('SELECT {} FROM {} WHERE {}={}'.
format(','.join(columns), table, id, source_id),
fmt='table')
if not data and table.lower() == 'sources':
print(
'No source with id {}. Try db.search() to search the database for a source_id.'
.format(source_id))
except:
data = None
if data:
if fetch:
data_tables[table] = self.query(
'SELECT {} FROM {} WHERE {}={}'.format(','.join
(columns), table, id, source_id), fetch=True,
fmt=fmt)
else:
data = data[[c.lower() for c in columns]]
pprint(data, title=table.upper())
else:
pass
except:
print('Could not retrieve data from {} table.'.format(table.
upper()))
if fetch:
return data_tables
| inventory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source_id, fetch=False, fmt='table'):\n data_tables = {}\n t = self.query(\"SELECT * FROM sqlite_master WHERE type='table'\", fmt=\n 'table'... |
def x(self, criteria, table, columns=''):
results, colmasks = [], []
for n, criterion in enumerate(criteria):
records = self.search(criterion, table, columns=columns, fetch=True)
if len(records) > 1:
print("'{}' matched to {} other record{}.".format(criterion,
len(records) - 1, 's' if len(records) - 1 > 1 else ''))
if len(records) == 0:
records.add_row(np.asarray(np.zeros(len(records.colnames))).T)
colmasks.append([True] * len(records.colnames))
else:
colmasks.append([False] * len(records.colnames))
results.append(records[0])
table = at.Table(rows=results, names=results[0].colnames, masked=True)
for col, msk in zip(records.colnames, np.asarray(colmasks).T):
table[col].mask = msk
return table
| lookup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, criteria, table, columns=''):\n results, colmasks = [], []\n for n, criterion in enumerate(criteria):\n records = self.search(criterion, tab... |
def x(self, table, limit):
try:
t = self.query('SELECT id FROM {}'.format(table), unpack=True, fmt=
'table')
ids = t['id']
all_ids = np.array(range(1, max(ids)))
except TypeError:
ids = None
all_ids = np.array(range(1, limit + 1))
available = all_ids[np.in1d(all_ids, ids, assume_unique=True, invert=True)
][:limit]
if len(available) < limit:
diff = limit - len(available)
available = np.concatenate((available, np.array(range(max(ids) + 1,
max(ids) + 1 + diff))))
return available
| lowest_rowids | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, limit):\n try:\n t = self.query('SELECT id FROM {}'.format(table), unpack=True, fmt=\n 'table')\n ids = t['id']\n ... |
def x(self, SQL, params='', verbose=True):
self.conn.commit()
if SQL.lower().startswith('select'):
print('Use self.query method for queries.')
else:
self.list(SQL, params)
self.conn.commit()
if verbose:
print('Number of records modified: {}'.format(self.list(
'SELECT changes()').fetchone()[0] or '0'))
| modify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, SQL, params='', verbose=True):\n self.conn.commit()\n if SQL.lower().startswith('select'):\n print('Use self.query method for queries.')\n ... |
def x(self, spectrum, filepath, header={}):
if isinstance(spectrum, int):
data = self.query('SELECT * FROM spectra WHERE id={}'.format(
spectrum), fetch='one', fmt='dict')
try:
data['header'] = list(map(list, data['spectrum'].header.cards)) + [
[k, v, ''] for k, v in header.items()]
except:
data['header'] = ''
elif isinstance(spectrum, (list, tuple, np.ndarray)):
data = {'spectrum': Spectrum(spectrum, header=header),
'wavelength_units': '', 'flux_units': ''}
try:
data['header'] = list(map(list, data['spectrum'].header.cards))
except:
data['header'] = ''
if data:
fn = filepath if filepath.endswith('.txt'
) else filepath + 'spectrum.txt'
if data['header']:
for n, line in enumerate(data['header']):
data['header'][n] = ['# {}'.format(str(line[0])).ljust(10)[
:10], '{:50s} / {}'.format(*map(str, line[1:]))]
try:
ii.write([np.asarray(i) for i in np.asarray(data['header'])
.T], fn, delimiter='\t', format='no_header')
except IOError:
pass
names = ['# wavelength [{}]'.format(data['wavelength_units']),
'flux [{}]'.format(data['flux_units'])]
if len(data['spectrum'].data) == 3:
if type(data['spectrum'].data[2]) in [np.ndarray, list]:
names += ['unc [{}]'.format(data['flux_units'])]
else:
data['spectrum'].data = data['spectrum'].data[:2]
with open(fn, mode='a') as f:
ii.write([np.asarray(i, dtype=np.float64) for i in data[
'spectrum'].data], f, names=names, delimiter='\t')
else:
print('Could not output spectrum: {}'.format(spectrum))
| output_spectrum | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, spectrum, filepath, header={}):\n if isinstance(spectrum, int):\n data = self.query('SELECT * FROM spectra WHERE id={}'.format(\n sp... |
def x(self, image_id, table='images', column='image', overplot=False, cmap=
'hot', log=False):
i = self.query('SELECT * FROM {} WHERE id={}'.format(table, image_id),
fetch='one', fmt='dict')
if i:
try:
img = i['image'].data
if not overplot:
fig, ax = plt.subplots()
plt.rc('text', usetex=False)
plt.figtext(0.15, 0.88, '\n'.join(['{}: {}'.format(k, v) for
k, v in i.items() if k != column]), verticalalignment='top'
)
ax.legend(loc=8, frameon=False)
else:
ax = plt.gca()
cmap = plt.get_cmap(cmap)
cmap.set_under(color='white')
vmin = 1e-07
vmax = np.nanmax(img)
if log:
from matplotlib.colors import LogNorm
ax.imshow(img, cmap=cmap, norm=LogNorm(vmin=vmin, vmax=vmax
), interpolation='none')
else:
ax.imshow(img, cmap=cmap, interpolation='none', vmin=1e-07)
X, Y = plt.xlim(), plt.ylim()
plt.ion()
except IOError:
print('Could not plot image {}'.format(image_id))
plt.close()
else:
print('No image {} in the {} table.'.format(image_id, table.upper()))
| show_image | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, image_id, table='images', column='image', overplot=False, cmap=\n 'hot', log=False):\n i = self.query('SELECT * FROM {} WHERE id={}'.format(table, ... |
def x(self, spectrum_id, table='spectra', column='spectrum', overplot=False,
color='b', norm=False):
i = self.query('SELECT * FROM {} WHERE id={}'.format(table, spectrum_id
), fetch='one', fmt='dict')
if i:
try:
spec = scrub(i[column].data, units=False)
w, f = spec[:2]
try:
e = spec[2]
except:
e = ''
if not overplot:
fig, ax = plt.subplots()
plt.rc('text', usetex=False)
ax.set_yscale('log', nonposy='clip')
plt.figtext(0.15, 0.88, '\n'.join(['{}: {}'.format(k, v) for
k, v in i.items() if k != column]), verticalalignment='top'
)
try:
ax.set_xlabel('$\\lambda$ [{}]'.format(i.get(
'wavelength_units')))
ax.set_ylabel('$F_\\lambda$ [{}]'.format(i.get(
'flux_units')))
except:
pass
ax.legend(loc=8, frameon=False)
else:
ax = plt.gca()
if norm:
try:
if isinstance(norm, bool):
norm = min(w), max(w)
norm_mask = np.logical_and(w >= norm[0], w <= norm[1])
C = 1.0 / np.trapz(f[norm_mask], x=w[norm_mask])
f *= C
try:
e *= C
except:
pass
except:
print('Could not normalize.')
ax.loglog(w, f, c=color, label='spec_id: {}'.format(i['id']))
X, Y = plt.xlim(), plt.ylim()
try:
ax.fill_between(w, f - e, f + e, color=color, alpha=0.3
), ax.set_xlim(X), ax.set_ylim(Y)
except:
print('No uncertainty array for spectrum {}'.format(
spectrum_id))
plt.ion()
except IOError:
print('Could not plot spectrum {}'.format(spectrum_id))
plt.close()
else:
print('No spectrum {} in the {} table.'.format(spectrum_id, table.
upper()))
| plot_spectrum | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, spectrum_id, table='spectra', column='spectrum', overplot=False,\n color='b', norm=False):\n i = self.query('SELECT * FROM {} WHERE id={}'.format(t... |
def x(self, SQL, params='', fmt='array', fetch='all', unpack=False, export=
'', verbose=False, use_converters=True):
try:
if SQL.lower().startswith('select') or SQL.lower().startswith('pragma'
):
origSQL = SQL
try:
SQL, columns = self._explicit_query(SQL, use_converters=
use_converters)
dictionary = self.dict(SQL, params).fetchall()
except:
print('WARNING: Unable to use converters')
dictionary = self.dict(origSQL, params).fetchall()
if any(dictionary):
if fetch == 'one':
dictionary = [dictionary.pop(0)]
table = at.Table(dictionary)
try:
table = table[columns]
except:
pass
array = np.asarray(table)
if unpack:
array = np.array(zip(*array))
if verbose:
pprint(table)
if export:
if export.lower().endswith('.xml') or export.lower(
).endswith('.vot'):
votools.dict_tovot(dictionary, export)
else:
ii.write(table, export, Writer=ii.FixedWidthTwoLine,
fill_values=[('None', '-')])
else:
if fetch == 'one':
dictionary, array = dictionary[0
], array if unpack else np.array(list(array[0]))
if fmt == 'table':
return table
elif fmt == 'dict':
return dictionary
elif fmt == 'pandas':
return table.to_pandas()
else:
return array
else:
return
else:
print(
'Queries must begin with a SELECT or PRAGMA statement. For database modifications use self.modify() method.'
)
except IOError:
print('Could not execute: ' + SQL)
| query | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, SQL, params='', fmt='array', fetch='all', unpack=False, export=\n '', verbose=False, use_converters=True):\n try:\n if SQL.lower().startswit... |
def x(self, criteria, publications='publications', column_name=
'publication_shortname', fetch=False):
data_tables = dict()
if isinstance(criteria, type(1)
) and column_name == 'publication_shortname':
t = self.query('SELECT * FROM {} WHERE id={}'.format(publications,
criteria), fmt='table')
if len(t) > 0:
criteria = t['shortname'][0]
else:
print('No match found for {}'.format(criteria))
return
t = self.query("SELECT * FROM sqlite_master WHERE type='table'", fmt=
'table')
all_tables = t['name'].tolist()
for table in (['sources'] + [t for t in all_tables if t not in [
'publications', 'sqlite_sequence', 'sources']]):
t = self.query('PRAGMA table_info({})'.format(table), fmt='table')
columns = np.array(t['name'])
types = np.array(t['type'])
columns = columns[((types == 'REAL') | (types == 'INTEGER') | (
types == 'TEXT')) & (columns != column_name)]
try:
data = self.query("SELECT {} FROM {} WHERE {}='{}'".format(','.
join(columns), table, column_name, criteria), fmt='table')
except:
data = None
if data:
if fetch:
data_tables[table] = self.query(
"SELECT {} FROM {} WHERE {}='{}'".format(','.join(
columns), table, column_name, criteria), fmt='table',
fetch=True)
else:
data = data[[c.lower() for c in columns]]
pprint(data, title=table.upper())
if fetch:
return data_tables
| references | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, criteria, publications='publications', column_name=\n 'publication_shortname', fetch=False):\n data_tables = dict()\n if isinstance(criteria, ty... |
def x(self, directory=None):
from subprocess import call
if isinstance(directory, type(None)):
directory = self.directory
if not os.path.isfile(self.sqlpath):
self.sqlpath = self.dbpath.replace('.db', '.sql')
os.system('touch {}'.format(self.sqlpath))
os.system("echo '.output {}\n.schema' | sqlite3 {}".format(self.sqlpath,
self.dbpath))
os.system('mkdir -p {}'.format(directory))
tables = self.query("select tbl_name from sqlite_master where type='table'"
)['tbl_name']
tablepaths = [self.sqlpath]
for table in tables:
print('Generating {}...'.format(table))
tablepath = '{0}/{1}.sql'.format(directory, table)
tablepaths.append(tablepath)
with open(tablepath, 'w') as f:
for line in self.conn.iterdump():
line = line.strip()
if line.startswith('INSERT INTO "{}"'.format(table)):
if sys.version_info.major == 2:
f.write(u'{}\n'.format(line).encode('utf-8'))
else:
f.write(u'{}\n'.format(line))
print('Tables saved to directory {}/'.format(directory))
print(
"""=======================================================================================
You can now run git to commit and push these changes, if needed.
For example, if on the master branch you can do the following:
git add {0} {1}/*.sql
git commit -m "COMMIT MESSAGE HERE"
git push origin master
You can then issue a pull request on GitHub to have these changes reviewed and accepted
======================================================================================="""
.format(self.sqlpath, directory))
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, directory=None):\n from subprocess import call\n if isinstance(directory, type(None)):\n directory = self.directory\n if not os.path.isfi... |
def x(self, table):
try:
pprint(self.query('PRAGMA table_info({})'.format(table), fmt='table'))
except ValueError:
print('Table {} not found'.format(table))
| schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table):\n try:\n pprint(self.query('PRAGMA table_info({})'.format(table), fmt='table'))\n except ValueError:\n print('Table {} not fo... |
def x(self, criterion, table, columns='', fetch=False, radius=1 / 60.0,
use_converters=False, sql_search=False):
t = self.query('PRAGMA table_info({})'.format(table), unpack=True, fmt=
'table')
all_columns = t['name'].tolist()
types = t['type'].tolist()
columns = columns or all_columns
columns = np.asarray([columns] if isinstance(columns, str) else columns)
badcols = columns[~np.in1d(columns, all_columns)]
columns = columns[np.in1d(columns, all_columns)]
columns = np.array([c for c in all_columns if c in columns])
types = np.array([t for c, t in zip(all_columns, types) if c in columns])[
np.in1d(columns, all_columns)]
for col in badcols:
print("'{}' is not a column in the {} table.".format(col, table.
upper()))
if sys.version_info[0] == 2:
str_check = str, unicode
else:
str_check = str
results = ''
if isinstance(criterion, (tuple, list, np.ndarray)):
try:
if sql_search:
q = 'SELECT * FROM {} WHERE ra BETWEEN '.format(table) + str(
criterion[0] - radius) + ' AND ' + str(criterion[0] +
radius) + ' AND dec BETWEEN ' + str(criterion[1] - radius
) + ' AND ' + str(criterion[1] + radius)
results = self.query(q, fmt='table')
else:
t = self.query('SELECT id,ra,dec FROM sources', fmt='table')
df = t.to_pandas()
df[['ra', 'dec']] = df[['ra', 'dec']].apply(pd.to_numeric)
mask = df['ra'].isnull()
df = df[~mask]
df['theta'] = df.apply(ang_sep, axis=1, args=(criterion[0],
criterion[1]))
good = df['theta'] <= radius
if sum(good) > 0:
params = ', '.join(['{}'.format(s) for s in df[good][
'id'].tolist()])
try:
results = self.query(
'SELECT * FROM {} WHERE source_id IN ({})'.
format(table, params), fmt='table')
except:
results = self.query(
'SELECT * FROM {} WHERE id IN ({})'.format(
table, params), fmt='table')
except:
print('Could not search {} table by coordinates {}. Try again.'
.format(table.upper(), criterion))
elif isinstance(criterion, str_check) and any(columns) and 'TEXT' in types:
try:
q = 'SELECT * FROM {} WHERE {}'.format(table, ' OR '.join([(
'REPLACE(' + c + ",' ','') like '%" + criterion.replace(' ',
'') + "%'") for c, t in zip(columns, types[np.in1d(columns,
all_columns)]) if t == 'TEXT']))
results = self.query(q, fmt='table', use_converters=use_converters)
except:
print('Could not search {} table by string {}. Try again.'.
format(table.upper(), criterion))
elif isinstance(criterion, int):
try:
q = 'SELECT * FROM {} WHERE {}'.format(table, ' OR '.join([
'{}={}'.format(c, criterion) for c, t in zip(columns, types
[np.in1d(columns, all_columns)]) if t == 'INTEGER']))
results = self.query(q, fmt='table', use_converters=use_converters)
except:
print('Could not search {} table by id {}. Try again.'.format(
table.upper(), criterion))
else:
print("Could not search {} table by '{}'. Try again.".format(table.
upper(), criterion))
if fetch:
return results or at.Table(names=columns, dtype=[type_dict[t] for t in
types], masked=True)
elif results:
pprint(results, title=table.upper())
else:
print('No results found for {} in the {} table.'.format(criterion,
table.upper()))
| search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, criterion, table, columns='', fetch=False, radius=1 / 60.0,\n use_converters=False, sql_search=False):\n t = self.query('PRAGMA table_info({})'.for... |
def x(self, name_db='export.db', version=1.0):
if os.path.isfile(name_db):
import datetime
date = datetime.datetime.now().strftime('%Y-%m-%d_%H:%M')
print('Renaming existing file {} to {}'.format(name_db, name_db.
replace('.db', date + '.db')))
os.system('mv {} {}'.format(name_db, name_db.replace('.db', date +
'.db')))
t, = self.query("select sql from sqlite_master where type = 'table'",
unpack=True)
schema = ';\n'.join(t) + ';'
os.system("sqlite3 {} '{}'".format(name_db, schema))
db = Database(name_db)
db.list('PRAGMA foreign_keys=OFF')
db.list("ATTACH DATABASE '{}' AS orig".format(self.dbpath))
t = db.query("SELECT * FROM sqlite_master WHERE type='table'", fmt='table')
all_tables = t['name'].tolist()
for table in [t for t in all_tables if t not in ['sqlite_sequence',
'changelog']]:
metadata = db.query('PRAGMA table_info({})'.format(table), fmt='table')
columns, types, required, pk = [np.array(metadata[n]) for n in [
'name', 'type', 'notnull', 'pk']]
print(table, columns)
if 'version' not in columns:
db.modify('INSERT INTO {0} SELECT * FROM orig.{0}'.format(table))
else:
db.modify(
'INSERT INTO {0} SELECT * FROM orig.{0} WHERE orig.{0}.version<={1}'
.format(table, version))
db.list('DETACH DATABASE orig')
db.list('PRAGMA foreign_keys=ON')
db.close(silent=True)
| snapshot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name_db='export.db', version=1.0):\n if os.path.isfile(name_db):\n import datetime\n date = datetime.datetime.now().strftime('%Y-%m-%d_%... |
def x(self, table, columns, types, constraints='', pk='', new_table=False):
goodtogo = True
if columns[0] != 'id':
print("Column 1 must be called 'id'")
goodtogo = False
if constraints:
if 'UNIQUE' not in constraints[0].upper(
) and 'NOT NULL' not in constraints[0].upper():
print("'id' column constraints must be 'UNIQUE NOT NULL'")
goodtogo = False
else:
constraints = ['UNIQUE NOT NULL'] + [''] * (len(columns) - 1)
if pk:
if not isinstance(pk, type(list())):
pk = list(pk)
for elem in pk:
if elem == 'id':
continue
else:
ind, = np.where(columns == elem)
constraints[ind] = 'UNIQUE NOT NULL'
else:
pk = ['id']
if not len(columns) == len(types) == len(constraints):
print(
'Must provide equal length *columns ({}), *types ({}), and *constraints ({}) sequences.'
.format(len(columns), len(types), len(constraints)))
goodtogo = False
if goodtogo:
t = self.query('SELECT name FROM sqlite_master', unpack=True, fmt=
'table')
tables = t['name'].tolist()
if table in tables and not new_table:
self.list('DROP TABLE IF EXISTS TempOldTable')
self.list('ALTER TABLE {0} RENAME TO TempOldTable'.format(table))
create_txt = 'CREATE TABLE {0} (\n\t{1}'.format(table, ', \n\t'
.join(['{} {} {}'.format(c, t, r) for c, t, r in zip(
columns, types, constraints)]))
create_txt += ', \n\tPRIMARY KEY({})\n)'.format(', '.join([elem for
elem in pk]))
self.list(create_txt)
old_columns = [c for c in self.query(
'PRAGMA table_info(TempOldTable)', unpack=True)[1] if c in
columns]
self.list('INSERT INTO {0} ({1}) SELECT {1} FROM TempOldTable'.
format(table, ','.join(old_columns)))
t = self.query('PRAGMA foreign_key_list(TempOldTable)', fmt='table'
)
if not isinstance(t, type(None)):
self.list('DROP TABLE TempOldTable')
self.add_foreign_key(table, t['table'].tolist(), t['from'].
tolist(), t['to'].tolist())
else:
self.list('DROP TABLE TempOldTable')
elif table not in tables and new_table:
create_txt = 'CREATE TABLE {0} (\n\t{1}'.format(table, ', \n\t'
.join(['{} {} {}'.format(c, t, r) for c, t, r in zip(
columns, types, constraints)]))
create_txt += ', \n\tPRIMARY KEY({})\n)'.format(', '.join([elem for
elem in pk]))
print(create_txt)
self.list(create_txt)
elif new_table:
print('Table {} already exists. Set *new_table=False to modify.'
.format(table.upper()))
else:
print(
'Table {} does not exist. Could not modify. Set *new_table=True to add a new table.'
.format(table.upper()))
else:
print(
'The {} table has not been {}. Please make sure your table columns, types, and constraints are formatted properly.'
.format(table.upper(), 'created' if new_table else 'modified'))
| table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, columns, types, constraints='', pk='', new_table=False):\n goodtogo = True\n if columns[0] != 'id':\n print(\"Column 1 must be called... |
def x(path):
url = '{}/{}/{}'.format(settings.VAULT_BASE_URL.rstrip('/'), settings.
VAULT_BASE_SECRET_PATH.strip('/'), path.lstrip('/'))
headers = {'X-Vault-Token': settings.VAULT_ACCESS_TOKEN}
resp = requests.get(url, headers=headers)
if resp.ok:
return resp.json()['data']
else:
log.error('Failed VAULT GET request: %s %s', resp.status_code, resp
.text)
raise Exception('Failed Vault GET request: {} {}'.format(resp.
status_code, resp.text))
| read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n url = '{}/{}/{}'.format(settings.VAULT_BASE_URL.rstrip('/'), settings.\n VAULT_BASE_SECRET_PATH.strip('/'), path.lstrip('/'))\n headers =... |
def x(self, rabaOnly=True):
sql = "SELECT * FROM sqlite_master WHERE type='index'"
cur = self.execute(sql)
l = []
for n in cur:
if rabaOnly:
if n[1].lower().find('raba') == 0:
l.append(n)
else:
l.append(n)
return l
| getIndexes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rabaOnly=True):\n sql = \"SELECT * FROM sqlite_master WHERE type='index'\"\n cur = self.execute(sql)\n l = []\n for n in cur:\n if rab... |
def x(self):
for n in self.getIndexes(rabaOnly=True):
self.dropIndexByName(n[1])
| flushIndexes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for n in self.getIndexes(rabaOnly=True):\n self.dropIndexByName(n[1])\n",
"role": "user"
},
{
"content": "flushIndexes",
"ro... |
def x(self, table, fields, where='', whereValues=[]):
versioTest = sq.sqlite_version_info[0] >= 3 and sq.sqlite_version_info[1
] >= 8
if len(where) > 0 and not versioTest:
sys.stderr.write(
"""WARNING: IGNORING THE "WHERE" CLAUSE in INDEX. Partial indexes where only implemented in sqlite 3.8.0+, your version is: %s. Sorry about that.
"""
% sq.sqlite_version)
indexTable = self.makeIndexTableName(table, fields)
else:
indexTable = self.makeIndexTableName(table, fields, where, whereValues)
if type(fields) is types.ListType:
sql = 'CREATE INDEX IF NOT EXISTS %s on %s(%s)' % (indexTable,
table, ', '.join(fields))
else:
sql = 'CREATE INDEX IF NOT EXISTS %s on %s(%s)' % (indexTable,
table, fields)
if len(where) > 0 and versioTest:
sql = '%s WHERE %s;' % (sql, where)
self.execute(sql, whereValues)
else:
self.execute(sql)
| createIndex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, fields, where='', whereValues=[]):\n versioTest = sq.sqlite_version_info[0] >= 3 and sq.sqlite_version_info[1\n ] >= 8\n if len(where... |
def x(self, table, fields, where=''):
indexTable = self.makeIndexTableName(table, fields, where)
self.dropIndexByName(indexTable)
| dropIndex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, fields, where=''):\n indexTable = self.makeIndexTableName(table, fields, where)\n self.dropIndexByName(indexTable)\n",
"role": "user"
... |
def x(self, bol, logQueries=False):
self._enableStats = bol
self._logQueries = logQueries
if bol:
self._enableStats = True
self.eraseStats()
self.startTime = time.time()
| enableStats | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bol, logQueries=False):\n self._enableStats = bol\n self._logQueries = logQueries\n if bol:\n self._enableStats = True\n self.eras... |
def x(self, sql, values=()):
sql = sql.strip()
self._debugActions(sql, values)
cur = self.connection.cursor()
cur.execute(sql, values)
return cur
| execute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sql, values=()):\n sql = sql.strip()\n self._debugActions(sql, values)\n cur = self.connection.cursor()\n cur.execute(sql, values)\n retur... |
def x(self, obj):
if self.saveIniator != None:
return False
self.saveIniator = obj
return True
| initateSave | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n if self.saveIniator != None:\n return False\n self.saveIniator = obj\n return True\n",
"role": "user"
},
{
"content":... |
def x(self, obj):
if self.saveIniator is obj and not self.inTransaction:
self.saveIniator = None
self.savedObject = set()
self.connection.commit()
return True
return False
| freeSave | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n if self.saveIniator is obj and not self.inTransaction:\n self.saveIniator = None\n self.savedObject = set()\n self.connec... |
def x(self, obj):
if obj._runtimeId in self.savedObject:
return False
self.savedObject.add(obj._runtimeId)
return True
| registerSave | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n if obj._runtimeId in self.savedObject:\n return False\n self.savedObject.add(obj._runtimeId)\n return True\n",
"role": "user"... |
def x(self, table, where, values=()):
sql = 'DELETE FROM %s WHERE %s' % (table, where)
return self.execute(sql, values)
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, where, values=()):\n sql = 'DELETE FROM %s WHERE %s' % (table, where)\n return self.execute(sql, values)\n",
"role": "user"
},
{
... |
def x(self, cls):
self.loadedRabaClasses[cls.__name__] = cls
sql = 'SELECT MAX(raba_id) from %s LIMIT 1' % cls.__name__
cur = self.execute(sql)
res = cur.fetchone()
try:
return int(res[0]) + 1
except TypeError:
return 0
| getLastRabaId | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cls):\n self.loadedRabaClasses[cls.__name__] = cls\n sql = 'SELECT MAX(raba_id) from %s LIMIT 1' % cls.__name__\n cur = self.execute(sql)\n r... |
def x(self, tableName, strFields):
if not self.tableExits(tableName):
sql = 'CREATE TABLE %s ( %s)' % (tableName, strFields)
self.execute(sql)
self.tables.add(tableName)
return True
return False
| createTable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tableName, strFields):\n if not self.tableExits(tableName):\n sql = 'CREATE TABLE %s ( %s)' % (tableName, strFields)\n self.execute(sql)... |
def x(self, name, lstFieldsToKeep):
if len(lstFieldsToKeep) == 0:
raise ValueError('There are no fields to keep')
cpy = name + '_copy'
sqlFiledsStr = ', '.join(lstFieldsToKeep)
self.createTable(cpy,
'raba_id INTEGER PRIMARY KEY AUTOINCREMENT, json, %s' % sqlFiledsStr)
sql = 'INSERT INTO %s SELECT %s FROM %s;' % (cpy, 'raba_id, json, %s' %
sqlFiledsStr, name)
self.execute(sql)
self.dropTable(name)
self.renameTable(cpy, name)
| dropColumnsFromRabaObjTable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, lstFieldsToKeep):\n if len(lstFieldsToKeep) == 0:\n raise ValueError('There are no fields to keep')\n cpy = name + '_copy'\n sqlFil... |
def x(self, offset=0, limit=50):
response = self.client.get(self.client.USER_LIKES % (self.name, offset,
limit))
return self._parse_response(response, strack)
| get_likes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, offset=0, limit=50):\n response = self.client.get(self.client.USER_LIKES % (self.name, offset,\n limit))\n return self._parse_response(respo... |
def x(self, offset=0, limit=50):
response = self.client.get(self.client.USER_TRACKS % (self.name, offset,
limit))
return self._parse_response(response, strack)
| get_tracks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, offset=0, limit=50):\n response = self.client.get(self.client.USER_TRACKS % (self.name, offset,\n limit))\n return self._parse_response(resp... |
def x(self, offset=0, limit=50):
response = self.client.get(self.client.USER_PLAYLISTS % (self.name,
offset, limit))
return self._parse_response(response, splaylist)
return playlists
| get_playlists | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, offset=0, limit=50):\n response = self.client.get(self.client.USER_PLAYLISTS % (self.name,\n offset, limit))\n return self._parse_response(r... |
def x(self, response, target_object=strack):
objects = json.loads(response.read().decode('utf-8'))
list = []
for obj in objects:
list.append(target_object(obj, client=self.client))
return list
| parse_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, response, target_object=strack):\n objects = json.loads(response.read().decode('utf-8'))\n list = []\n for obj in objects:\n list.append(... |
def x(self, course_id, external_feed_id):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""ID"""
path['external_feed_id'] = external_feed_id
self.logger.debug(
'DELETE /api/v1/courses/{course_id}/external_feeds/{external_feed_id} with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('DELETE',
'/api/v1/courses/{course_id}/external_feeds/{external_feed_id}'.
format(**path), data=data, params=params, single_item=True)
| delete_external_feed_courses | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, course_id, external_feed_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = course_id\n \"\"\"ID\"\"\"\n... |
def x(self, group_id, external_feed_id):
path = {}
data = {}
params = {}
"""ID"""
path['group_id'] = group_id
"""ID"""
path['external_feed_id'] = external_feed_id
self.logger.debug(
'DELETE /api/v1/groups/{group_id}/external_feeds/{external_feed_id} with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('DELETE',
'/api/v1/groups/{group_id}/external_feeds/{external_feed_id}'.
format(**path), data=data, params=params, single_item=True)
| delete_external_feed_groups | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, group_id, external_feed_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['group_id'] = group_id\n \"\"\"ID\"\"\"\n ... |
def x(cls, words):
counts = {}
for word in words:
if word in counts:
counts[word] += 1
else:
counts[word] = 1
return counts
| count_token_occurrences | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, words):\n counts = {}\n for word in words:\n if word in counts:\n counts[word] += 1\n else:\n counts[word] = 1\n... |
def x(self):
total_tally = 0.0
probs = {}
for category, bayes_category in self.categories.get_categories().items():
count = bayes_category.get_tally()
total_tally += count
probs[category] = count
for category, count in probs.items():
if total_tally > 0:
probs[category] = float(count) / float(total_tally)
else:
probs[category] = 0.0
for category, probability in probs.items():
self.probabilities[category] = {'prc': probability, 'prnc': sum(
probs.values()) - probability}
| calculate_category_probability | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n total_tally = 0.0\n probs = {}\n for category, bayes_category in self.categories.get_categories().items():\n count = bayes_category.ge... |
def x(self, category, text):
try:
bayes_category = self.categories.get_category(category)
except KeyError:
bayes_category = self.categories.add_category(category)
tokens = self.tokenizer(str(text))
occurrence_counts = self.count_token_occurrences(tokens)
for word, count in occurrence_counts.items():
bayes_category.train_token(word, count)
self.calculate_category_probability()
| train | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, category, text):\n try:\n bayes_category = self.categories.get_category(category)\n except KeyError:\n bayes_category = self.categori... |
def x(self, category, text):
try:
bayes_category = self.categories.get_category(category)
except KeyError:
return
tokens = self.tokenizer(str(text))
occurance_counts = self.count_token_occurrences(tokens)
for word, count in occurance_counts.items():
bayes_category.untrain_token(word, count)
self.calculate_category_probability()
| untrain | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, category, text):\n try:\n bayes_category = self.categories.get_category(category)\n except KeyError:\n return\n tokens = self.toke... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.