source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, args):
response = AwsConnectionFactory.getLogClient().get_log_events(logGroupName
=self.logStream['logGroupName'], logStreamName=self.logStream[
'logStreamName'], limit=10, startFromHead=False)
pprint(response)
| do_tail | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args):\n response = AwsConnectionFactory.getLogClient().get_log_events(logGroupName\n =self.logStream['logGroupName'], logStreamName=self.logSt... |
def x(filename):
procs_dir = os.path.normpath(os.path.join(__file__, '../../',
'external/postgresql/raw_sql/procs'))
return os.path.join(procs_dir, filename)
| get_local_filepath | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n procs_dir = os.path.normpath(os.path.join(__file__, '../../',\n 'external/postgresql/raw_sql/procs'))\n return os.path.join(procs_dir... |
def x(op, filelist):
for filename in filelist:
sqlfile = get_local_filepath(filename)
if not os.path.isfile(sqlfile):
warnings.warn('Did not find %r. Continuing migration.' %
sqlfile, UserWarning, 2)
continue
with open(sqlfile, 'r') as stored_proc:
op.execute(stored_proc.read())
| load_stored_proc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(op, filelist):\n for filename in filelist:\n sqlfile = get_local_filepath(filename)\n if not os.path.isfile(sqlfile):\n warnings.wa... |
def x(func, path, exc_info):
exctype, value = exc_info[:2]
if not (exctype is WindowsError and value.args[0] == 5 or exctype is
OSError and value.args[0] == 13):
raise
if os.stat(path).st_mode & stat.S_IREAD != stat.S_IREAD:
raise
os.chmod(path, stat.S_IWRITE)
func(path)
| rmtree_errorhandler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, path, exc_info):\n exctype, value = exc_info[:2]\n if not (exctype is WindowsError and value.args[0] == 5 or exctype is\n OSError and value.... |
def x(path):
path = os.path.normcase(os.path.abspath(path))
if path.startswith(os.getcwd() + os.path.sep):
path = '.' + path[len(os.getcwd()):]
return path
| display_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n path = os.path.normcase(os.path.abspath(path))\n if path.startswith(os.getcwd() + os.path.sep):\n path = '.' + path[len(os.getcwd()):]\n ... |
def x(default_pathext=None):
if default_pathext is None:
default_pathext = os.pathsep.join(['.COM', '.EXE', '.BAT', '.CMD'])
pathext = os.environ.get('PATHEXT', default_pathext)
return pathext
| get_pathext | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(default_pathext=None):\n if default_pathext is None:\n default_pathext = os.pathsep.join(['.COM', '.EXE', '.BAT', '.CMD'])\n pathext = os.environ.... |
def x(message, options):
while 1:
if os.environ.get('PIP_NO_INPUT'):
raise Exception(
'No input was expected ($PIP_NO_INPUT set); question: %s' %
message)
response = raw_input(message)
response = response.strip().lower()
if response not in options:
print(
'Your response (%r) was not one of the expected responses: %s'
% (response, ', '.join(options)))
else:
return response
| ask | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(message, options):\n while 1:\n if os.environ.get('PIP_NO_INPUT'):\n raise Exception(\n 'No input was expected ($PIP_NO_INP... |
def x(local_only=True, skip=('setuptools', 'pip', 'python')):
if local_only:
local_test = dist_is_local
else:
local_test = lambda d: True
return [d for d in pkg_resources.working_set if local_test(d) and d.key
not in skip]
| get_installed_distributions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(local_only=True, skip=('setuptools', 'pip', 'python')):\n if local_only:\n local_test = dist_is_local\n else:\n local_test = lambda d: True... |
def x(dist):
egg_link = egg_link_path(dist)
if os.path.exists(egg_link):
return egg_link
return dist.location
| dist_location | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dist):\n egg_link = egg_link_path(dist)\n if os.path.exists(egg_link):\n return egg_link\n return dist.location\n",
"role": "user"
},
{... |
def x(filename, location, flatten=True):
if not os.path.exists(location):
os.makedirs(location)
zipfp = open(filename, 'rb')
try:
zip = zipfile.ZipFile(zipfp)
leading = has_leading_dir(zip.namelist()) and flatten
for name in zip.namelist():
data = zip.read(name)
fn = name
if leading:
fn = split_leading_dir(name)[1]
fn = os.path.join(location, fn)
dir = os.path.dirname(fn)
if not os.path.exists(dir):
os.makedirs(dir)
if fn.endswith('/') or fn.endswith('\\'):
if not os.path.exists(fn):
os.makedirs(fn)
else:
fp = open(fn, 'wb')
try:
fp.write(data)
finally:
fp.close()
finally:
zipfp.close()
| unzip_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, location, flatten=True):\n if not os.path.exists(location):\n os.makedirs(location)\n zipfp = open(filename, 'rb')\n try:\n zi... |
def x(filename, location):
if not os.path.exists(location):
os.makedirs(location)
if filename.lower().endswith('.gz') or filename.lower().endswith('.tgz'):
mode = 'r:gz'
elif filename.lower().endswith('.bz2') or filename.lower().endswith('.tbz'
):
mode = 'r:bz2'
elif filename.lower().endswith('.tar'):
mode = 'r'
else:
logger.warn('Cannot determine compression type for file %s' % filename)
mode = 'r:*'
tar = tarfile.open(filename, mode)
try:
leading = has_leading_dir([member.name for member in tar.getmembers
() if member.name != 'pax_global_header'])
for member in tar.getmembers():
fn = member.name
if fn == 'pax_global_header':
continue
if leading:
fn = split_leading_dir(fn)[1]
path = os.path.join(location, fn)
if member.isdir():
if not os.path.exists(path):
os.makedirs(path)
else:
try:
fp = tar.extractfile(member)
except (KeyError, AttributeError):
e = sys.exc_info()[1]
logger.warn(
'In the tar file %s the member %s is invalid: %s' %
(filename, member.name, e))
continue
if not os.path.exists(os.path.dirname(path)):
os.makedirs(os.path.dirname(path))
destfp = open(path, 'wb')
try:
shutil.copyfileobj(fp, destfp)
finally:
destfp.close()
fp.close()
finally:
tar.close()
| untar_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, location):\n if not os.path.exists(location):\n os.makedirs(location)\n if filename.lower().endswith('.gz') or filename.lower().endswith... |
def x(val):
if u'properties' in val.keys() and u'$ref' in val['properties'].keys():
return True
return False
| value_properties_are_referenced | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(val):\n if u'properties' in val.keys() and u'$ref' in val['properties'].keys():\n return True\n return False\n",
"role": "user"
},
{
"... |
def x(val):
if u'type' in val.keys() and val['type'].lower() == u'text':
return True
return False
| value_is_type_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(val):\n if u'type' in val.keys() and val['type'].lower() == u'text':\n return True\n return False\n",
"role": "user"
},
{
"content": "... |
def x(permits, acategory, astatus):
if permits is None:
return False
for permit in permits:
if permit.category_code == acategory and permit.status_code == astatus:
return True
return False
| has_desired_permit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(permits, acategory, astatus):\n if permits is None:\n return False\n for permit in permits:\n if permit.category_code == acategory and perm... |
def x(addresses_):
result = {}
addresses = dict(addresses_)
default = addresses.pop('default', None)
for key, value in __reverse_group_dict(addresses).items():
result[','.join(value)] = key
if default:
result['default'] = default
return result
| compact_notification_addresses | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(addresses_):\n result = {}\n addresses = dict(addresses_)\n default = addresses.pop('default', None)\n for key, value in __reverse_group_dict(addre... |
def x():
url = os.environ['DATABASE_URI']
context.configure(url=url, target_metadata=target_metadata,
literal_binds=True)
with context.begin_transaction():
context.run_migrations()
| run_migrations_offline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n url = os.environ['DATABASE_URI']\n context.configure(url=url, target_metadata=target_metadata,\n literal_binds=True)\n with context.begin_... |
def x():
alembic_config = config.get_section(config.config_ini_section)
alembic_config['sqlalchemy.url'] = os.environ['DATABASE_URI']
connectable = engine_from_config(alembic_config, prefix='sqlalchemy.',
poolclass=pool.NullPool)
with connectable.connect() as connection:
context.configure(connection=connection, target_metadata=
target_metadata)
with context.begin_transaction():
context.run_migrations()
| run_migrations_online | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n alembic_config = config.get_section(config.config_ini_section)\n alembic_config['sqlalchemy.url'] = os.environ['DATABASE_URI']\n connectable = en... |
def x(tweets):
G = x.DiGraph()
G_ = x.DiGraph()
for tweet in tweets:
text = tweet['text']
us = tweet['user']['screen_name']
if text.startswith('RT @'):
prev_us = text.split(':')[0].split('@')[1]
if G.has_edge(prev_us, us):
G[prev_us][us]['weight'] += 1
G_[prev_us][us]['weight'] += 1
else:
G.add_edge(prev_us, us, weight=1.0)
G_.add_edge(prev_us, us, weight=1.0)
if us not in G_.nodes():
G_.add_node(us)
return G, G_
| makeRetweetNetwork | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tweets):\n G = x.DiGraph()\n G_ = x.DiGraph()\n for tweet in tweets:\n text = tweet['text']\n us = tweet['user']['screen_name']\n ... |
def x(self):
if 'weight' in self.data_friendships.keys():
self.G = G = x.DiGraph()
else:
self.G = G = x.Graph()
F = self.data_friends
for friendn in range(self.n_friends):
if 'posts' in F.keys():
G.add_node(F['name'][friendn], label=F['label'][friendn], posts
=F['posts'][friendn])
elif 'agerank' in F.keys():
G.add_node(F['name'][friendn], label=F['label'][friendn],
gender=F['sex'][friendn], locale=F['locale'][friendn],
agerank=F['agerank'][friendn])
else:
G.add_node(F['name'][friendn], label=F['label'][friendn],
gender=F['sex'][friendn], locale=F['locale'][friendn])
F = self.data_friendships
for friendshipn in range(self.n_friendships):
if 'weight' in F.keys():
G.add_edge(F['node1'][friendshipn], F['node2'][friendshipn],
weight=F['weight'][friendshipn])
else:
G.add_edge(F['node1'][friendshipn], F['node2'][friendshipn])
| makeNetwork | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if 'weight' in self.data_friendships.keys():\n self.G = G = x.DiGraph()\n else:\n self.G = G = x.Graph()\n F = self.data_friend... |
def x(url, fname):
print('Downloading {} as {}'.format(url, fname))
response = urlopen(url)
download = response.read()
with open(fname, 'wb') as fh:
fh.write(download)
| downlad_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, fname):\n print('Downloading {} as {}'.format(url, fname))\n response = urlopen(url)\n download = response.read()\n with open(fname, 'wb') as ... |
def x(zip_fname):
print('Unzipping {}'.format(zip_fname))
with zipfile.ZipFile(zip_fname) as zf:
zf.extractall()
| unzip_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(zip_fname):\n print('Unzipping {}'.format(zip_fname))\n with zipfile.ZipFile(zip_fname) as zf:\n zf.extractall()\n",
"role": "user"
},
{
... |
def x(url):
fname = 'tmp.zip'
downlad_file(url, fname)
unzip_file(fname)
print('Removing {}'.format(fname))
os.unlink(fname)
| install_from_zip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n fname = 'tmp.zip'\n downlad_file(url, fname)\n unzip_file(fname)\n print('Removing {}'.format(fname))\n os.unlink(fname)\n",
"role":... |
def x(args=None):
if args is None:
args = sys.argv[1:]
parser = argparse.ArgumentParser(description=
'Makes UCL PHAS results better')
parser.add_argument('--input', '-i', type=str, help='csv file to import')
parser.add_argument('--format', '-f', type=str, help=
'reformats results by module and exports it to file specified')
parser.add_argument('--plot', '-p', action='store_true', help=
'plot the module results')
parser.add_argument('--exportplots', '-ep', type=str, help=
'export all plots to /path/you/want/')
parser.add_argument('--showplots', '-sp', action='store_true', help=
'show all plots')
parser.add_argument('--my', '-m', action='store_true', help=
'returns your weighted average for the year')
parser.add_argument('--year', '-y', help='specify your year')
parser.add_argument('--rank', '-r', action='store_true', help=
'returns your rank in the year')
parser.add_argument('--candidate', '-c', help=
'specify your candidate number')
args = parser.parse_args()
resultr.main(args)
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args=None):\n if args is None:\n args = sys.argv[1:]\n parser = argparse.ArgumentParser(description=\n 'Makes UCL PHAS results better')\n ... |
def x(self, item: str) ->str:
v = self.__dict__[item]
return v if v is not None else item
| phys_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item: str) ->str:\n v = self.__dict__[item]\n return v if v is not None else item\n",
"role": "user"
},
{
"content": "phys_name",
"... |
def x(self) ->List[str]:
return sorted([k for k in self.__dict__.keys() if k not in _I2B2Tables.
_funcs and not k.startswith('_')])
| all_tables | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->List[str]:\n return sorted([k for k in self.__dict__.keys() if k not in _I2B2Tables.\n _funcs and not k.startswith('_')])\n",
"role": "us... |
def x():
if not hasAccess():
return redirectUnauthorized()
body = State.config.serialize(['driver', 'log', 'log-file', 'log-colorize']
)
body.update({'debug': State.options.debug, 'sensitive': State.options.
sensitive})
return Response(status=200, body=body)
| system_status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if not hasAccess():\n return redirectUnauthorized()\n body = State.config.serialize(['driver', 'log', 'log-file', 'log-colorize']\n )\... |
def x(self):
local('ssh -i {0} {1}@{2}'.format(env.key_filename, env.user, env.
host_string))
| login_server | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n local('ssh -i {0} {1}@{2}'.format(env.key_filename, env.user, env.\n host_string))\n",
"role": "user"
},
{
"content": "login_ser... |
def x(self, timeout, callback, *callback_args):
GObject.timeout_add(timeout, callback, *callback_args)
| set_refresh | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout, callback, *callback_args):\n GObject.timeout_add(timeout, callback, *callback_args)\n",
"role": "user"
},
{
"content": "set_refre... |
def x(self, command, title):
m_item = Gtk.MenuItem()
m_item.set_label(title)
m_item.connect('activate', command)
self.menu.append(m_item)
self.menu.show_all()
| add_menu_item | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command, title):\n m_item = Gtk.MenuItem()\n m_item.set_label(title)\n m_item.connect('activate', command)\n self.menu.append(m_item)\n se... |
def x(self):
m_item = Gtk.SeparatorMenuItem()
self.menu.append(m_item)
self.menu.show_all()
| add_seperator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n m_item = Gtk.SeparatorMenuItem()\n self.menu.append(m_item)\n self.menu.show_all()\n",
"role": "user"
},
{
"content": "add_sepera... |
def x(self, icon, button, time):
def x(menu, aicon):
return Gtk.StatusIcon.position_menu(menu, aicon)
self.menu.popup(None, None, pos, icon, button, time)
| right_click_event_statusicon | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, icon, button, time):\n\n def x(menu, aicon):\n return Gtk.StatusIcon.position_menu(menu, aicon)\n self.menu.popup(None, None, pos, icon, but... |
def x(self):
self.charging = False if subprocess.getoutput(
'cat /sys/class/power_supply/BAT0/status') == 'Discharging' else True
percent = subprocess.getoutput('cat /sys/class/power_supply/BAT0/capacity')
if not self.charging:
for val in self.dischlist:
if int(percent) <= int(val):
self.indicator.set_icon(self.dischformat.format(value=val))
break
else:
for val in self.chlist:
if int(percent) <= int(val):
self.indicator.set_icon(self.chformat.format(value=val))
break
return True
| check_battery | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.charging = False if subprocess.getoutput(\n 'cat /sys/class/power_supply/BAT0/status') == 'Discharging' else True\n percent = subpro... |
def x(self, widget, x, y, keyboard_mode, tooltip):
tooltip.set_text(subprocess.getoutput('acpi'))
return True
| tooltip_query | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, widget, x, y, keyboard_mode, tooltip):\n tooltip.set_text(subprocess.getoutput('acpi'))\n return True\n",
"role": "user"
},
{
"content"... |
def x():
print('')
print('aps: APS Journals API in Python for Humans')
print('Copyright (c) 2017 and later.')
print('Xiao Shang')
print('')
print('aps Version: %s' % aps.__version__)
print('Numpy Version: %s' % numpy.__version__)
print('Scipy Version: %s' % scipy.__version__)
try:
import Cython
cython_ver = Cython.__version__
except:
cython_ver = 'None'
print('Cython Version: %s' % cython_ver)
try:
import matplotlib
matplotlib_ver = matplotlib.__version__
except:
matplotlib_ver = 'None'
print('Matplotlib Version: %s' % matplotlib_ver)
print('Python Version: %d.%d.%d' % sys.version_info[0:3])
print('Number of CPUs: %s' % hardware_info()['cpus'])
print('Platform Info: %s (%s)' % (platform.system(), platform.
machine()))
aps_install_path = os.path.dirname(inspect.getsourcefile(aps))
print('Installation path: %s' % aps_install_path)
print('')
| about | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n print('')\n print('aps: APS Journals API in Python for Humans')\n print('Copyright (c) 2017 and later.')\n print('Xiao Shang')\n print('')\... |
def x(headers=None, data=''):
passed_headers = {} if headers is None else headers
if isinstance(data, dict):
data = json.dumps(data)
ret_headers = {'status': 'ok'}
ret_headers.update(passed_headers)
return server_responce(ret_headers, data)
| success | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(headers=None, data=''):\n passed_headers = {} if headers is None else headers\n if isinstance(data, dict):\n data = json.dumps(data)\n ret_head... |
def x(repository_path, callback):
with open(cpjoin(repository_path, 'lock_file'), 'w') as fd:
try:
fcntl.flock(fd, fcntl.LOCK_EX | fcntl.LOCK_NB)
returned = callback()
fcntl.flock(fd, fcntl.LOCK_UN)
return returned
except IOError:
return fail(lock_fail_msg)
| lock_access | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(repository_path, callback):\n with open(cpjoin(repository_path, 'lock_file'), 'w') as fd:\n try:\n fcntl.flock(fd, fcntl.LOCK_EX | fcntl.L... |
def x(repository_path, session_token):
real_path = cpjoin(repository_path, 'user_file')
tmp_path = cpjoin(repository_path, 'new_user_file')
with open(tmp_path, 'w') as fd2:
if session_token is None:
fd2.write('')
else:
fd2.write(json.dumps({'session_token': session_token, 'expires':
int(time.time()) + 30}))
fd2.flush()
os.rename(tmp_path, real_path)
| update_user_lock | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(repository_path, session_token):\n real_path = cpjoin(repository_path, 'user_file')\n tmp_path = cpjoin(repository_path, 'new_user_file')\n with open(... |
def x(repository_path, session_token):
user_file_path = cpjoin(repository_path, 'user_file')
if not os.path.isfile(user_file_path):
return True
with open(user_file_path, 'r') as fd2:
content = fd2.read()
if len(content) == 0:
return True
try:
res = json.loads(content)
except ValueError:
return True
if res['expires'] < int(time.time()):
return True
elif res['session_token'] == session_token:
return True
return False
| can_aquire_user_lock | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(repository_path, session_token):\n user_file_path = cpjoin(repository_path, 'user_file')\n if not os.path.isfile(user_file_path):\n return True\n ... |
def x(repository_path, session_token):
with open(cpjoin(repository_path, 'user_file'), 'r') as fd2:
content = fd2.read()
if len(content) == 0:
return False
try:
res = json.loads(content)
except ValueError:
return False
return res['session_token'] == session_token and int(time.time()
) < int(res['expires'])
return False
| varify_user_lock | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(repository_path, session_token):\n with open(cpjoin(repository_path, 'user_file'), 'r') as fd2:\n content = fd2.read()\n if len(content) == 0:... |
def x(db_path):
def x(cursor, row):
return {col[0]: row[idx] for idx, col in enumerate(cursor.description)}
conn = db.connect(db_path)
conn.row_factory = dict_factory
if not auth_db_connect.init:
conn.execute(
'create table if not exists tokens (expires int, token text, ip text)'
)
conn.execute(
'create table if not exists session_tokens (expires int, token text, ip text, username text)'
)
auth_db_connect.init = True
return conn
| auth_db_connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(db_path):\n\n def x(cursor, row):\n return {col[0]: row[idx] for idx, col in enumerate(cursor.description)}\n conn = db.connect(db_path)\n conn... |
def x():
repository = request.headers['repository']
if repository not in config['repositories']:
return fail(no_such_repo_msg)
repository_path = config['repositories'][repository]['path']
conn = auth_db_connect(cpjoin(repository_path, 'auth_transient.db'))
gc_tokens(conn)
auth_token = base64.b64encode(pysodium.randombytes(35)).decode('utf-8')
conn.execute('insert into tokens (expires, token, ip) values (?,?,?)',
(time.time() + 30, auth_token, request.environ['REMOTE_ADDR']))
conn.commit()
return success({'auth_token': auth_token})
| begin_auth | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n repository = request.headers['repository']\n if repository not in config['repositories']:\n return fail(no_such_repo_msg)\n repository_pat... |
def x():
client_ip = request.environ['REMOTE_ADDR']
repository = request.headers['repository']
if repository not in config['repositories']:
return fail(no_such_repo_msg)
repository_path = config['repositories'][repository]['path']
conn = auth_db_connect(cpjoin(repository_path, 'auth_transient.db'))
gc_tokens(conn)
gc_tokens(conn)
if 'session_token' in request.headers:
session_token = request.headers['session_token']
conn.execute('delete from session_tokens where expires < ?', (time.
time(),))
conn.commit()
res = conn.execute(
'select * from session_tokens where token = ? and ip = ?', (
session_token, client_ip)).fetchall()
if res != []:
return success({'session_token': session_token})
else:
return fail(user_auth_fail_msg)
else:
user = request.headers['user']
auth_token = request.headers['auth_token']
signiture = request.headers['signature']
try:
public_key = config['users'][user]['public_key']
pysodium.crypto_sign_verify_detached(base64.b64decode(signiture
), auth_token, base64.b64decode(public_key))
res = conn.execute(
'select * from tokens where token = ? and ip = ? ', (
auth_token, client_ip)).fetchall()
if res == [] or len(res) > 1:
return fail(user_auth_fail_msg)
if repository not in config['users'][user]['uses_repositories']:
return fail(user_auth_fail_msg)
conn.execute('delete from tokens where token = ?', (auth_token,))
conn.commit()
session_token = base64.b64encode(pysodium.randombytes(35))
conn.execute(
'insert into session_tokens (token, expires, ip, username) values (?,?,?, ?)'
, (session_token, time.time() + extend_session_duration,
client_ip, user))
conn.commit()
return success({'session_token': session_token})
except Exception:
return fail(user_auth_fail_msg)
| authenticate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n client_ip = request.environ['REMOTE_ADDR']\n repository = request.headers['repository']\n if repository not in config['repositories']:\n r... |
def x(client_ip, repository, session_token):
if repository not in config['repositories']:
return False
repository_path = config['repositories'][repository]['path']
conn = auth_db_connect(cpjoin(repository_path, 'auth_transient.db'))
user_lock = read_user_lock(repository_path)
active_commit = user_lock['session_token'] if user_lock != None else None
if active_commit != None:
conn.execute(
'delete from session_tokens where expires < ? and token != ?',
(time.time(), active_commit))
else:
conn.execute('delete from session_tokens where expires < ?', (time.
time(),))
res = conn.execute(
'select * from session_tokens where token = ? and ip = ?', (
session_token, client_ip)).fetchall()
if res != [] and repository in config['users'][res[0]['username']][
'uses_repositories']:
conn.execute(
'update session_tokens set expires = ? where token = ? and ip = ?',
(time.time() + extend_session_duration, session_token, client_ip))
conn.commit()
return res[0]
conn.commit()
return False
| have_authenticated_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client_ip, repository, session_token):\n if repository not in config['repositories']:\n return False\n repository_path = config['repositories'][re... |
def x():
session_token = request.headers['session_token']
repository = request.headers['repository']
current_user = have_authenticated_user(request.environ['REMOTE_ADDR'],
repository, session_token)
if current_user is False:
return fail(user_auth_fail_msg)
repository_path = config['repositories'][repository]['path']
body_data = request.get_json()
data_store = versioned_storage(repository_path)
head = data_store.get_head()
if head == 'root':
return success({}, {'head': 'root', 'sorted_changes': {'none': []}})
client_changes = json.loads(body_data['client_changes'])
server_changes = data_store.get_changes_since(request.headers[
'previous_revision'], head)
conflict_resolutions = json.loads(body_data['conflict_resolutions'])
if conflict_resolutions != []:
resolutions = {'server': {}, 'client': {}}
for r in conflict_resolutions:
if len(r['4_resolution']) != 1 or r['4_resolution'][0] not in [
'client', 'server']:
return fail(conflict_msg)
resolutions[r['4_resolution'][0]][r['1_path']] = None
client_changes = {k: v for k, v in client_changes.iteritems() if v[
'path'] not in resolutions['server']}
server_changes = {k: v for k, v in server_changes.iteritems() if v[
'path'] not in resolutions['client']}
sorted_changes = merge_client_and_server_changes(server_changes,
client_changes)
return success({}, {'head': head, 'sorted_changes': sorted_changes})
| find_changed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n session_token = request.headers['session_token']\n repository = request.headers['repository']\n current_user = have_authenticated_user(request.en... |
def x():
session_token = request.headers['session_token']
repository = request.headers['repository']
current_user = have_authenticated_user(request.environ['REMOTE_ADDR'],
repository, session_token)
if current_user is False:
return fail(user_auth_fail_msg)
data_store = versioned_storage(config['repositories'][repository]['path'])
file_info = data_store.get_file_info_from_path(request.headers['path'])
return success({'file_info_json': json.dumps(file_info)},
send_from_directory(data_store.get_file_directory_path(file_info[
'hash']), file_info['hash'][2:]))
| pull_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n session_token = request.headers['session_token']\n repository = request.headers['repository']\n current_user = have_authenticated_user(request.en... |
def x():
session_token = request.headers['session_token']
repository = request.headers['repository']
current_user = have_authenticated_user(request.environ['REMOTE_ADDR'],
repository, session_token)
if current_user is False:
return fail(user_auth_fail_msg)
repository_path = config['repositories'][repository]['path']
def x():
if not can_aquire_user_lock(repository_path, session_token):
return fail(lock_fail_msg)
data_store = versioned_storage(repository_path)
if data_store.get_head() != request.headers['previous_revision']:
return fail(need_to_update_msg)
if data_store.have_active_commit():
data_store.rollback()
data_store.begin()
update_user_lock(repository_path, session_token)
return success()
return lock_access(repository_path, with_exclusive_lock)
| begin_commit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n session_token = request.headers['session_token']\n repository = request.headers['repository']\n current_user = have_authenticated_user(request.en... |
def x():
session_token = request.headers['session_token']
repository = request.headers['repository']
current_user = have_authenticated_user(request.environ['REMOTE_ADDR'],
repository, session_token)
if current_user is False:
return fail(user_auth_fail_msg)
repository_path = config['repositories'][repository]['path']
def x():
if not varify_user_lock(repository_path, session_token):
return fail(lock_fail_msg)
data_store = versioned_storage(repository_path)
if not data_store.have_active_commit():
return fail(no_active_commit_msg)
file_path = request.headers['path']
if any(True for item in re.split('\\\\|/', file_path) if item in [
'..', '.']):
return fail()
tmp_path = cpjoin(repository_path, 'tmp_file')
with open(tmp_path, 'wb') as f:
while True:
chunk = request.stream.read(1000 * 1000)
if chunk == b'':
break
f.write(chunk)
data_store.fs_put_from_file(tmp_path, {'path': file_path})
update_user_lock(repository_path, session_token)
return success()
return lock_access(repository_path, with_exclusive_lock)
| push_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n session_token = request.headers['session_token']\n repository = request.headers['repository']\n current_user = have_authenticated_user(request.en... |
def x():
session_token = request.headers['session_token']
repository = request.headers['repository']
current_user = have_authenticated_user(request.environ['REMOTE_ADDR'],
repository, session_token)
if current_user is False:
return fail(user_auth_fail_msg)
repository_path = config['repositories'][repository]['path']
body_data = request.get_json()
def x():
if not varify_user_lock(repository_path, session_token):
return fail(lock_fail_msg)
try:
data_store = versioned_storage(repository_path)
if not data_store.have_active_commit():
return fail(no_active_commit_msg)
for fle in json.loads(body_data['files']):
data_store.fs_delete(fle)
update_user_lock(repository_path, session_token)
return success()
except Exception:
return fail()
return lock_access(repository_path, with_exclusive_lock)
| delete_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n session_token = request.headers['session_token']\n repository = request.headers['repository']\n current_user = have_authenticated_user(request.en... |
def x():
session_token = request.headers['session_token']
repository = request.headers['repository']
current_user = have_authenticated_user(request.environ['REMOTE_ADDR'],
repository, session_token)
if current_user is False:
return fail(user_auth_fail_msg)
repository_path = config['repositories'][repository]['path']
def x():
if not varify_user_lock(repository_path, session_token):
return fail(lock_fail_msg)
data_store = versioned_storage(repository_path)
if not data_store.have_active_commit():
return fail(no_active_commit_msg)
result = {}
if request.headers['mode'] == 'commit':
new_head = data_store.commit(request.headers['commit_message'],
current_user['username'])
result = {'head': new_head}
else:
data_store.rollback()
update_user_lock(repository_path, None)
return success(result)
return lock_access(repository_path, with_exclusive_lock)
| commit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n session_token = request.headers['session_token']\n repository = request.headers['repository']\n current_user = have_authenticated_user(request.en... |
def x(self):
data = {}
for k, v in self.iteritems():
if k.startswith('_'):
continue
if isinstance(v, APIModel):
data[k] = v.serialize()
elif v and is_seq_not_string(v) and isinstance(v[0], APIModel):
data[k] = [x.serialize() for x in v]
else:
data[k] = v
return data
| serialize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n data = {}\n for k, v in self.iteritems():\n if k.startswith('_'):\n continue\n if isinstance(v, APIModel):\n ... |
def x(self, key, result_format='list'):
value = self.get('_annotations_by_key', {}).get(key)
if not value:
return value
if result_format == 'one':
return value[0]
return value
| get_annotation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, result_format='list'):\n value = self.get('_annotations_by_key', {}).get(key)\n if not value:\n return value\n if result_format == '... |
def x(self):
user_dict = self.serialize()
del user_dict['description']['entities']
user, meta = self._api.update_user('me', data=user_dict)
| update_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n user_dict = self.serialize()\n del user_dict['description']['entities']\n user, meta = self._api.update_user('me', data=user_dict)\n",
"r... |
def x(d1, d2):
for k, v in d1.items():
if isinstance(v, dict):
is_same_dict(v, d2[k])
else:
assert d1[k] == d2[k]
for k, v in d2.items():
if isinstance(v, dict):
is_same_dict(v, d1[k])
else:
assert d1[k] == d2[k]
| is_same_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d1, d2):\n for k, v in d1.items():\n if isinstance(v, dict):\n is_same_dict(v, d2[k])\n else:\n assert d1[k] == d2[k]\n ... |
def x(cls):
l = list()
for attr, value in get_all_attributes(cls):
if not inspect.isclass(value):
l.append((attr, value))
return list(sorted(l, key=lambda x: x[0]))
| Items | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n l = list()\n for attr, value in get_all_attributes(cls):\n if not inspect.isclass(value):\n l.append((attr, value))\n return... |
def x(self):
l = list()
for attr, value in get_all_attributes(self.__class__):
value = getattr(self, attr)
if not isinstance(value, Constant):
l.append((attr, value))
return list(sorted(l, key=lambda x: x[0]))
| items | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n l = list()\n for attr, value in get_all_attributes(self.__class__):\n value = getattr(self, attr)\n if not isinstance(value, Const... |
def x(cls, sort_by=None, reverse=False):
l = list()
for attr, value in get_all_attributes(cls):
try:
if issubclass(value, Constant):
l.append((attr, value))
except:
pass
if sort_by is None:
sort_by = '__creation_index__'
l = list(sorted(l, key=lambda x: getattr(x[1], sort_by), reverse=reverse))
return l
| Subclasses | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, sort_by=None, reverse=False):\n l = list()\n for attr, value in get_all_attributes(cls):\n try:\n if issubclass(value, Constant):\... |
def x(self, sort_by=None, reverse=False):
l = list()
for attr, _ in self.Subclasses(sort_by, reverse):
value = getattr(self, attr)
l.append((attr, value))
return l
| subclasses | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sort_by=None, reverse=False):\n l = list()\n for attr, _ in self.Subclasses(sort_by, reverse):\n value = getattr(self, attr)\n l.appe... |
def x(cls, attr, value, e=1e-06, sort_by='__name__'):
for _, klass in cls.Subclasses(sort_by=sort_by):
try:
if klass.__dict__[attr] == approx(value, e):
return klass
except:
pass
return None
| GetFirst | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, attr, value, e=1e-06, sort_by='__name__'):\n for _, klass in cls.Subclasses(sort_by=sort_by):\n try:\n if klass.__dict__[attr] == app... |
def x(self, attr, value, e=1e-06, sort_by='__name__', reverse=False):
for _, klass in self.subclasses(sort_by, reverse):
try:
if getattr(klass, attr) == approx(value, e):
return klass
except:
pass
return None
| get_first | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attr, value, e=1e-06, sort_by='__name__', reverse=False):\n for _, klass in self.subclasses(sort_by, reverse):\n try:\n if getattr(k... |
def x(cls, attr, value, e=1e-06, sort_by='__name__'):
matched = list()
for _, klass in cls.Subclasses(sort_by=sort_by):
try:
if klass.__dict__[attr] == approx(value, e):
matched.append(klass)
except:
pass
return matched
| GetAll | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, attr, value, e=1e-06, sort_by='__name__'):\n matched = list()\n for _, klass in cls.Subclasses(sort_by=sort_by):\n try:\n if klass... |
def x(self, attr, value, e=1e-06, sort_by='__name__', reverse=False):
matched = list()
for _, klass in self.subclasses(sort_by, reverse):
try:
if getattr(klass, attr) == approx(value, e):
matched.append(klass)
except:
pass
return matched
| get_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attr, value, e=1e-06, sort_by='__name__', reverse=False):\n matched = list()\n for _, klass in self.subclasses(sort_by, reverse):\n try:\n ... |
def x(cls, other_entity_klass, this_entity_backpopulate_field,
other_entity_backpopulate_field, is_many_to_one=False):
data = dict()
for _, other_klass in other_entity_klass.Subclasses():
other_field_value = getattr(other_klass, this_entity_backpopulate_field
)
if isinstance(other_field_value, (tuple, list)):
for self_klass in other_field_value:
self_key = self_klass.__name__
try:
data[self_key].append(other_klass)
except KeyError:
data[self_key] = [other_klass]
elif other_field_value is not None:
self_klass = other_field_value
self_key = self_klass.__name__
try:
data[self_key].append(other_klass)
except KeyError:
data[self_key] = [other_klass]
if is_many_to_one:
new_data = dict()
for key, value in data.items():
try:
new_data[key] = value[0]
except:
pass
data = new_data
for self_key, other_klass_list in data.items():
setattr(getattr(cls, self_key), other_entity_backpopulate_field,
other_klass_list)
| BackAssign | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, other_entity_klass, this_entity_backpopulate_field,\n other_entity_backpopulate_field, is_many_to_one=False):\n data = dict()\n for _, other_klas... |
def x(cls):
d = OrderedDict(cls.Items())
d['__classname__'] = cls.__name__
for attr, klass in cls.Subclasses():
d[attr] = klass.dump()
return OrderedDict([(cls.__name__, d)])
| dump | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n d = OrderedDict(cls.Items())\n d['__classname__'] = cls.__name__\n for attr, klass in cls.Subclasses():\n d[attr] = klass.dump()\n r... |
def x(cls, data):
if len(data) == 1:
for key, value in data.items():
if '__classname__' not in value:
raise ValueError
name = key
bases = Constant,
attrs = dict()
for k, v in value.items():
if isinstance(v, dict):
if '__classname__' in v:
attrs[k] = cls.load({k: v})
else:
attrs[k] = v
else:
attrs[k] = v
return type(name, bases, attrs)
else:
raise ValueError
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, data):\n if len(data) == 1:\n for key, value in data.items():\n if '__classname__' not in value:\n raise ValueError\n ... |
def x(location='Fresno, CA', days=1, start=None, end=None, years=1,
use_cache=True, verbosity=1):
airport_code = airport(location, default=location)
if isinstance(days, int):
start = start or None
end = end or datetime.datetime.today().date()
days = pd.date_range(start=start, end=end, periods=days)
cache_path = 'hourly-{}-{}-{:02d}-{:04d}.csv'.format(airport_code, days
[-1].year, days[-1].month, len(days))
cache_path = os.path.join(CACHE_PATH, cache_path)
if use_cache:
try:
return pd.DataFrame.from_csv(cache_path)
except:
pass
df = pd.DataFrame()
for day in days:
url = (
'http://www.wunderground.com/history/airport/{airport_code}/{year}/{month}/{day}/DailyHistory.html?MR=1&format=1'
.format(airport_code=airport_code, year=day.year, month=day.
month, day=day.day))
if verbosity > 1:
print('GETing *.CSV using "{0}"'.format(url))
buf = urllib.urlopen(url).read()
if verbosity > 0:
N = buf.count('\n')
M = (buf.count(',') + N) / float(N)
print(
'Retrieved CSV for airport code "{}" with appox. {} lines and {} columns = {} cells.'
.format(airport_code, N, int(round(M)), int(round(M)) * N))
if buf.count('\n') > 2 or buf.count('\n') > 1 and buf.split('\n')[1
].count(',') > 0:
table = util.read_csv(buf, format='header+values-list', numbers
=True)
columns = [s.strip() for s in table[0]]
table = table[1:]
tzs = [s[4:] for s in columns if s[5:] in ['ST', 'DT'] and s[4] in
'PMCE' and s[:4].lower() == 'time']
if tzs:
tz = tzs[0]
else:
tz = 'UTC'
for rownum, row in enumerate(table):
try:
table[rownum] = [util.make_tz_aware(row[0], tz)] + row[1:]
except ValueError:
pass
dates = [row[-1] for row in table]
if not all(isinstance(date, (datetime.datetime, pd.Timestamp)) for
date in dates):
dates = [row[0] for row in table]
if len(columns) == len(table[0]):
df0 = pd.DataFrame(table, columns=columns, index=dates)
df = df.append(df0)
elif verbosity >= 0:
msg = (
"""The number of columns in the 1st row of the table:
{}
doesn't match the number of column labels:
{}
"""
.format(table[0], columns))
msg += (
"""Wunderground.com probably can't find the airport: {} ({})
or the date: {}
in its database.
"""
.format(airport_code, location, day))
msg += ('Attempted a GET request using the URI:\n {0}\n'
.format(url))
warnings.warn(msg)
try:
df.to_csv(cache_path)
except:
if verbosity > 0 and use_cache:
from traceback import print_exc
print_exc()
warnings.warn('Unable to write weather data to cache file at {}'
.format(cache_path))
return df
| hourly | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(location='Fresno, CA', days=1, start=None, end=None, years=1,\n use_cache=True, verbosity=1):\n airport_code = airport(location, default=location)\n i... |
def x(feature='conditions', city='Portland', state='OR', key=None):
features = (
'alerts astronomy conditions currenthurricane forecast forecast10day geolookup history hourly hourly10day '
+ 'planner rawtide satellite tide webcams yesterday').split(' ')
feature = util.fuzzy_get(features, feature)
key = key or env.get('WUNDERGROUND', None, verbosity=-1) or env.get(
'WUNDERGROUND_KEY', 'c45a86c2fc63f7d0', verbosity=-1)
url = (
'http://api.wunderground.com/api/{key}/{feature}/q/{state}/{city}.json'
.format(key=key, feature=feature, state=state, city=city))
return json.load(urllib.urlopen(url))
| api | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(feature='conditions', city='Portland', state='OR', key=None):\n features = (\n 'alerts astronomy conditions currenthurricane forecast forecast10day g... |
def x(location='Fresno, CA', years=1, use_cache=True, verbosity=1):
this_year = datetime.date.today().year
if isinstance(years, (int, float)):
years = np.arange(0, int(years) + 1)
years = sorted(years)
if not all(1900 <= yr <= this_year for yr in years):
years = np.array([(abs(yr) if 1900 <= abs(yr) <= this_year else
this_year - abs(int(yr))) for yr in years])[::-1]
airport_code = airport(location, default=location)
cache_path = 'daily-{}-{}-{}.csv'.format(airport_code, years[0], years[-1])
cache_path = os.path.join(CACHE_PATH, cache_path)
if use_cache:
try:
return pd.DataFrame.from_csv(cache_path)
except:
pass
df = pd.DataFrame()
for year in years:
url = (
'http://www.wunderground.com/history/airport/{airport}/{yearstart}/1/1/'
+ 'CustomHistory.html?dayend=31&monthend=12&yearend={yearend}' +
'&req_city=&req_state=&req_statename=&reqdb.zip=&reqdb.magic=&reqdb.wmo=&MR=1&format=1'
).format(airport=airport_code, yearstart=year, yearend=year)
if verbosity > 1:
print('GETing *.CSV using "{0}"'.format(url))
buf = urllib.urlopen(url).read()
if verbosity > 0:
N = buf.count('\n')
M = (buf.count(',') + N) / float(N)
print(
'Retrieved CSV for airport code "{}" with appox. {} lines and {} columns = {} cells.'
.format(airport_code, N, int(round(M)), int(round(M)) * N))
if verbosity > 2:
print(buf)
table = util.read_csv(buf, format='header+values-list', numbers=True)
table = [(util.strip_br(row) if len(row) > 1 else row) for row in table
]
columns = table.pop(0)
tzs = [s for s in columns if s[1:] in ['ST', 'DT'] and s[0] in 'PMCE']
dates = [float('nan')] * len(table)
for i, row in enumerate(table):
for j, value in enumerate(row):
if not value and value is not None:
value = 0
continue
if columns[j] in tzs:
table[i][j] = util.make_tz_aware(value, tz=columns[j])
if isinstance(table[i][j], datetime.datetime):
dates[i] = table[i][j]
continue
try:
table[i][j] = float(value)
if not table[i][j] % 1:
table[i][j] = int(table[i][j])
except:
pass
df0 = pd.DataFrame(table, columns=columns, index=dates)
df = df.append(df0)
if verbosity > 1:
print(df)
try:
df.to_csv(cache_path)
except:
if verbosity > 0 and use_cache:
from traceback import print_exc
print_exc()
warnings.warn('Unable to write weather data to cache file at {}'
.format(cache_path))
return df
| daily | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(location='Fresno, CA', years=1, use_cache=True, verbosity=1):\n this_year = datetime.date.today().year\n if isinstance(years, (int, float)):\n yea... |
def x(self):
if os.path.exists(self.cache_folder) is False:
os.makedirs(self.cache_folder)
| ensure_cache_folder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if os.path.exists(self.cache_folder) is False:\n os.makedirs(self.cache_folder)\n",
"role": "user"
},
{
"content": "ensure_cache... |
def x(self, folder):
with open('%s/%s/build.gradle' % (self.path, folder)) as f:
for line in f.readlines():
if config.gradle_plugin in line:
return True
return False
| is_app_folder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, folder):\n with open('%s/%s/build.gradle' % (self.path, folder)) as f:\n for line in f.readlines():\n if config.gradle_plugin in lin... |
def x(self):
with open('%s/settings.gradle' % self.path) as f:
for line in f.readlines():
if line.startswith('include'):
matches = re.findall("\\'\\:?(.+?)\\'", line)
if len(matches) == 0:
continue
for folder in matches:
if self.is_app_folder(folder):
return folder
return 'app'
| get_src_folder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with open('%s/settings.gradle' % self.path) as f:\n for line in f.readlines():\n if line.startswith('include'):\n ... |
def x(self):
with open('%s/%s/build.gradle' % (self.path, self.src_folder)) as f:
for line in f.readlines():
if 'buildToolsVersion' in line:
matches = re.findall('buildToolsVersion \\"(.+?)\\"', line)
if len(matches) == 1:
return matches[0]
return config.build_tool_version
| get_build_tool_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with open('%s/%s/build.gradle' % (self.path, self.src_folder)) as f:\n for line in f.readlines():\n if 'buildToolsVersion' in lin... |
def x(self, storepass=None, keypass=None, keystore=None, apk=None, alias=
None, name='app'):
self.src_folder = self.get_src_folder()
if keystore is None:
keystore, storepass, keypass, alias = (android_helper.
get_default_keystore())
dist = '%s/%s.apk' % ('/'.join(apk.split('/')[:-1]), name)
android_helper.jarsign(storepass, keypass, keystore, apk, alias, path=
self.path)
android_helper.zipalign(apk, dist, build_tool=self.
get_build_tool_version(), path=self.path)
| sign | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, storepass=None, keypass=None, keystore=None, apk=None, alias=\n None, name='app'):\n self.src_folder = self.get_src_folder()\n if keystore is No... |
def x(self):
if os.path.exists('%s/gradlew' % self.path) is False:
raise errors.InvalidProjectStructure(message=
'Missing gradlew project root folder')
self.touch_log('validate')
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if os.path.exists('%s/gradlew' % self.path) is False:\n raise errors.InvalidProjectStructure(message=\n 'Missing gradlew project ... |
def x(self):
self.src_folder = self.get_src_folder()
st = os.stat('%s/gradlew' % self.path)
os.chmod('%s/gradlew' % self.path, st.st_mode | stat.S_IEXEC)
| prepare | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.src_folder = self.get_src_folder()\n st = os.stat('%s/gradlew' % self.path)\n os.chmod('%s/gradlew' % self.path, st.st_mode | stat.S_IEX... |
def x(self, mode='debug'):
self.ensure_cache_folder()
ref = {'debug': 'assembleDebug', 'release': 'assembleRelease'}
cmd = ['./gradlew', ref.get(mode, mode), '--gradle-user-home', self.
cache_folder]
self.run_cmd(cmd, 'build')
| build | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mode='debug'):\n self.ensure_cache_folder()\n ref = {'debug': 'assembleDebug', 'release': 'assembleRelease'}\n cmd = ['./gradlew', ref.get(mode,... |
def x(df, table, engine, minimal_size=5):
from sqlalchemy.exc import IntegrityError
try:
table_name = table.name
except:
table_name = table
try:
df.to_sql(table_name, engine, index=False, if_exists='append')
except IntegrityError:
n = df.shape[0]
if n >= minimal_size ** 2:
n_chunk = math.floor(math.sqrt(n))
for sub_df in grouper_df(df, n_chunk):
smart_insert(sub_df, table_name, engine, minimal_size)
else:
for sub_df in grouper_df(df, 1):
try:
sub_df.to_sql(table_name, engine, index=False,
if_exists='append')
except IntegrityError:
pass
| smart_insert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df, table, engine, minimal_size=5):\n from sqlalchemy.exc import IntegrityError\n try:\n table_name = table.name\n except:\n table_name ... |
def x(excel_file_path, engine, read_excel_kwargs=None,
to_generic_type_kwargs=None, to_sql_kwargs=None):
if read_excel_kwargs is None:
read_excel_kwargs = dict()
if to_sql_kwargs is None:
to_sql_kwargs = dict()
if to_generic_type_kwargs is None:
to_generic_type_kwargs = dict()
xl = pd.ExcelFile(excel_file_path)
for sheet_name in xl.sheet_names:
df = pd.read_excel(excel_file_path, sheet_name, **read_excel_kwargs
.get(sheet_name, dict()))
kwargs = to_generic_type_kwargs.get(sheet_name)
if kwargs:
data = to_dict_list_generic_type(df, **kwargs)
smart_insert(data, sheet_name, engine)
else:
df.to_sql(sheet_name, engine, index=False, **to_sql_kwargs.get(
sheet_name, dict(if_exists='replace')))
| excel_to_sql | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(excel_file_path, engine, read_excel_kwargs=None,\n to_generic_type_kwargs=None, to_sql_kwargs=None):\n if read_excel_kwargs is None:\n read_excel_... |
def x(engine, excel_file_path):
from sqlalchemy import MetaData, select
metadata = MetaData()
metadata.reflect(engine)
writer = pd.ExcelWriter(excel_file_path)
for table in metadata.tables.values():
sql = select([table])
df = pd.read_sql(sql, engine)
df.to_excel(writer, table.name, index=False)
writer.save()
| database_to_excel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(engine, excel_file_path):\n from sqlalchemy import MetaData, select\n metadata = MetaData()\n metadata.reflect(engine)\n writer = pd.ExcelWriter(ex... |
def x(requirements_file):
return [str(pkg.req) for pkg in parse_requirements(requirements_file,
session=pip_download.PipSession()) if pkg.req is not None]
| requirements | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(requirements_file):\n return [str(pkg.req) for pkg in parse_requirements(requirements_file,\n session=pip_download.PipSession()) if pkg.req is not No... |
def x(timestamp=None, depth=None):
if not timestamp:
timestamp = utc_now().date()
if not depth:
depth = defaultDepth
assert depth <= 4 and depth >= 1
uuid = str(uu.uuid4())
return '%s%d%02d%02d%02d' % (uuid[:-7], depth, timestamp.year % 100,
timestamp.month, timestamp.day)
| createNewOoid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(timestamp=None, depth=None):\n if not timestamp:\n timestamp = utc_now().date()\n if not depth:\n depth = defaultDepth\n assert depth <=... |
def x(uuid, timestamp=None, depth=None):
if not timestamp:
timestamp = utc_now().date()
if not depth:
depth = defaultDepth
assert depth <= 4 and depth >= 1
return '%s%d%02d%02d%02d' % (uuid[:-7], depth, timestamp.year % 100,
timestamp.month, timestamp.day)
| uuidToOoid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(uuid, timestamp=None, depth=None):\n if not timestamp:\n timestamp = utc_now().date()\n if not depth:\n depth = defaultDepth\n assert de... |
def x(ooid):
year = month = day = None
try:
day = int(ooid[-2:])
except:
return None, None
try:
month = int(ooid[-4:-2])
except:
return None, None
try:
year = 2000 + int(ooid[-6:-4])
depth = int(ooid[-7])
if not depth:
depth = oldHardDepth
return dt.datetime(year, month, day, tzinfo=UTC), depth
except:
return None, None
return None, None
| dateAndDepthFromOoid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ooid):\n year = month = day = None\n try:\n day = int(ooid[-2:])\n except:\n return None, None\n try:\n month = int(ooid[-4:-2... |
def x(self):
return [(rname, repo.currenthead) for rname, repo in self.repos.items()]
| HeadList | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return [(rname, repo.currenthead) for rname, repo in self.repos.items()]\n",
"role": "user"
},
{
"content": "HeadList",
"role": "as... |
def x(self):
try:
origin = self.repo.remotes.origin
if origin.url != self.origin_url:
log.debug('[%s] Changing origin url. Old: %s New: %s', self.
name, origin.url, self.origin_url)
origin.config_writer.set('url', self.origin_url)
except AttributeError:
origin = self.repo.create_remote('origin', self.origin_url)
log.debug('[%s] Created remote "origin" with URL: %s', self.name,
origin.url)
| setorigin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n origin = self.repo.remotes.origin\n if origin.url != self.origin_url:\n log.debug('[%s] Changing origin url. Old: %... |
def x(self):
try:
self.repo.remotes.origin.fetch()
except git.exc.GitCommandError as err:
raise GitError(err)
| fetchall | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n self.repo.remotes.origin.fetch()\n except git.exc.GitCommandError as err:\n raise GitError(err)\n",
"role": "user"
},... |
def x(self, ref):
log.debug('[%s] Fetching ref: %s', self.name, ref)
fetch_info = self.repo.remotes.origin.fetch(ref).pop()
return fetch_info.ref
| fetchref | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ref):\n log.debug('[%s] Fetching ref: %s', self.name, ref)\n fetch_info = self.repo.remotes.origin.fetch(ref).pop()\n return fetch_info.ref\n",
... |
def x(self, ref):
log.debug('[%s] Setting to ref %s', self.name, ref)
try:
ref = self.repo.rev_parse(ref)
except gitdb.exc.BadObject:
ref = self.fetchref(ref)
log.debug('[%s] Setting head to %s', self.name, ref)
self.repo.head.reset(ref, working_tree=True)
log.debug('[%s] Head object: %s', self.name, self.currenthead)
| sethead | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ref):\n log.debug('[%s] Setting to ref %s', self.name, ref)\n try:\n ref = self.repo.rev_parse(ref)\n except gitdb.exc.BadObject:\n ... |
def x(self, filename):
log.debug('[%s]: reading: //%s/%s', self.name, self.name, filename)
try:
blob = self.repo.head.commit.tree / filename
return blob.data_stream
except KeyError as err:
raise GitError(err)
| get_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n log.debug('[%s]: reading: //%s/%s', self.name, self.name, filename)\n try:\n blob = self.repo.head.commit.tree / filename\n ... |
def x(self, message=None):
if self.in_progress_hanging:
if message is None:
sys.stdout.write('.')
sys.stdout.flush()
else:
if self.last_message:
padding = ' ' * max(0, len(self.last_message) - len(message))
else:
padding = ''
sys.stdout.write('\r%s%s%s%s' % (' ' * self.indent, self.
in_progress, message, padding))
sys.stdout.flush()
self.last_message = message
| show_progress | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message=None):\n if self.in_progress_hanging:\n if message is None:\n sys.stdout.write('.')\n sys.stdout.flush()\n ... |
def x(logger):
use_structlog = False
if STRUCTLOG:
if isinstance(logger, structlog._config.BoundLoggerLazyProxy):
real_logger = logger
use_structlog = True
if use_structlog:
pass
elif isinstance(logger, Logger):
real_logger = logger
else:
real_logger = getLogger()
name_attr = '__name__' if sys.version_info < (3, 5) else '__qualname__'
def x(args, kwargs):
return ', '.join([("'{}'".format(a) if type(a) == str else '{}'.
format(a)) for a in args] + [("{}='{}'".format(a, v) if type(v) ==
str else '{}={}'.format(a, v)) for a, v in sorted(kwargs.items())])
def x(fn):
@functools.wraps(fn)
def x(*args, **kwargs):
frame_info = inspect.getframeinfo(inspect.stack()[1][0])
filename = os.path.basename(frame_info.filename)
lineno = frame_info.lineno
func_name = getattr(fn, name_attr)
arg_string = get_arg_string(args, kwargs)
source_info = '{}:{}:{}({})'.format(filename, lineno, func_name,
arg_string)
if use_structlog:
real_logger.debug(u'calling', source_info=source_info)
else:
real_logger.debug(u'calling %s', source_info)
try:
res = fn(*args, **kwargs)
except Exception as e:
if use_structlog:
real_logger.exception(u'{} threw exception'.format(
source_info), e=e)
else:
real_logger.exception(u'%s threw exception:\n%s',
source_info, e)
raise
if use_structlog:
real_logger.debug(u'{} returned'.format(source_info), res=res)
else:
real_logger.debug(u'%s returned: %s', source_info, res)
return res
return wrapper
if type(logger) == type(real_decorator):
return real_decorator(logger)
return real_decorator
| funclog | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(logger):\n use_structlog = False\n if STRUCTLOG:\n if isinstance(logger, structlog._config.BoundLoggerLazyProxy):\n real_logger = logge... |
def x(app_id: int=None, login: str=None, password: str=None, service_token:
str=None, proxies: dict=None) ->API:
session_ = APISession(app_id, login, password, service_token, proxies)
return API(session_)
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app_id: int=None, login: str=None, password: str=None, service_token:\n str=None, proxies: dict=None) ->API:\n session_ = APISession(app_id, login, passw... |
def x(username=None):
if username:
return os.path.expanduser('~%s/' % username)
elif 'HOME' in os.environ:
return os.environ['HOME']
elif os.name == 'posix':
return os.path.expanduser('~/')
else:
raise RuntimeError('This function has failed at life.')
| user_homedir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(username=None):\n if username:\n return os.path.expanduser('~%s/' % username)\n elif 'HOME' in os.environ:\n return os.environ['HOME']\n ... |
def x(fileobj, hasher=None, blocksize=65536):
hasher = hasher or hashlib.sha1()
buf = fileobj.read(blocksize)
while buf:
hasher.update(buf)
buf = fileobj.read(blocksize)
return hasher
| hash_stream | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fileobj, hasher=None, blocksize=65536):\n hasher = hasher or hashlib.sha1()\n buf = fileobj.read(blocksize)\n while buf:\n hasher.update(buf)\n... |
def x(data, hasher=None):
hasher = hasher or hashlib.sha1()
hasher.update(data)
return hasher
| hash_str | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, hasher=None):\n hasher = hasher or hashlib.sha1()\n hasher.update(data)\n return hasher\n",
"role": "user"
},
{
"content": "hash_str... |
def x(*args):
if len(args) is 1 and isinstance(args[0], list):
args = args[0]
matches = []
for pattern in args:
for item in glob2.glob(pattern):
if not os.path.isdir(item):
matches.append(item)
return matches
| glob | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args):\n if len(args) is 1 and isinstance(args[0], list):\n args = args[0]\n matches = []\n for pattern in args:\n for item in glob2.gl... |
def x(listish):
for elem in listish:
if isinstance(elem, collections.Iterable) and not isinstance(elem,
basestring):
for subelem in flatten(elem):
yield subelem
else:
yield elem
| flatten | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(listish):\n for elem in listish:\n if isinstance(elem, collections.Iterable) and not isinstance(elem,\n basestring):\n for sube... |
def x(src, dst):
if not os.path.isfile(src):
raise error.ButcherError(
'linkorcopy called with non-file source. (src: %s dst: %s)' %
src, dst)
elif os.path.isdir(dst):
dst = os.path.join(dst, os.path.basename(src))
elif os.path.exists(dst):
os.unlink(dst)
elif not os.path.exists(os.path.dirname(dst)):
os.makedirs(os.path.dirname(dst))
try:
os.link(src, dst)
log.debug('Hardlinked: %s -> %s', src, dst)
except OSError:
shutil.copy2(src, dst)
log.debug("Couldn't hardlink. Copied: %s -> %s", src, dst)
| linkorcopy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src, dst):\n if not os.path.isfile(src):\n raise error.ButcherError(\n 'linkorcopy called with non-file source. (src: %s dst: %s)' %\n ... |
def x(cls):
if not hasattr(cls._tl, 'cwd'):
cls._tl.cwd = os.getcwd()
return cls._tl.cwd
| getcwd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n if not hasattr(cls._tl, 'cwd'):\n cls._tl.cwd = os.getcwd()\n return cls._tl.cwd\n",
"role": "user"
},
{
"content": "getcwd",
... |
def x(self, version=None, tags=None, ext=None):
if ext is None:
ext = self.default_ext
return '{}{}{}.{}'.format(self.fname_base, self._tags_to_str(tags=tags),
self._version_to_str(version=version), ext)
| fname | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, version=None, tags=None, ext=None):\n if ext is None:\n ext = self.default_ext\n return '{}{}{}.{}'.format(self.fname_base, self._tags_to_st... |
def x(self, version=None, tags=None, ext=None):
if self.singleton:
return dataset_filepath(filename=self.fname(version=version, tags=
tags, ext=ext), task=self.task, **self.kwargs)
return dataset_filepath(filename=self.fname(version=version, tags=tags,
ext=ext), dataset_name=self.name, task=self.task, **self.kwargs)
| fpath | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, version=None, tags=None, ext=None):\n if self.singleton:\n return dataset_filepath(filename=self.fname(version=version, tags=\n tags... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.