source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(value, reference_value):
res = value / float(reference_value)
return InflationResult(factor=res, value=res - 1)
| compute_inflation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, reference_value):\n res = value / float(reference_value)\n return InflationResult(factor=res, value=res - 1)\n",
"role": "user"
},
{
"content": "compute_inflation",
"role": "assistant"
}
] |
def x(self, reference, country, target=datetime.date.today()):
reference = self.reference if reference is None else reference
reference_value = self.data.get(reference, country).value
target_value = self.data.get(target, country).value
return self._compute_inflation(target_value, reference_value)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reference, country, target=datetime.date.today()):\n reference = self.reference if reference is None else reference\n reference_value = self.data.get(reference, country).value\n target_value = self.data.get(target, country).value\n return self._compute_inflation(target_value, reference_value)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, amount, target=datetime.date.today(), reference=None, country=None
):
country = country if country else self.country
inflation = self.get(reference, country, target)
return amount * inflation.factor
| inflate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, amount, target=datetime.date.today(), reference=None, country=None\n ):\n country = country if country else self.country\n inflation = self.get(reference, country, target)\n return amount * inflation.factor\n",
"role": "user"
},
{
"content": "inflate",
"role": "assistant"
}
] |
def x(commands, argv=None, delim=':'):
commands = {(k.decode('utf-8') if isinstance(k, six.binary_type) else k
): v for k, v in commands.items()}
def x(commands):
from .lazy import LazyCli
cwords = os.environ['COMP_WORDS'].split()[1:]
cword = int(os.environ['COMP_CWORD'])
try:
curr = cwords[cword - 1]
except IndexError:
curr = ''
suggest = []
if len(cwords) > 1 and cwords[0] in commands.keys():
value = commands[cwords[0]]
if isinstance(value, LazyCli):
value = value.get_digest()
for cmd_name, _ in value.get_funcs():
cmd_name = cmd_name[8:]
suggest.append(cmd_name)
if curr == ':':
curr = ''
else:
suggest += list(commands.keys()) + [(x + ':') for x in commands
.keys()]
suggest.sort()
output = u' '.join(filter(lambda x: x.startswith(curr), suggest))
sys.stdout.write(output)
auto_complete = ('IKTOMI_AUTO_COMPLETE' in os.environ or
'DJANGO_AUTO_COMPLETE' in os.environ)
if auto_complete:
perform_auto_complete(commands)
sys.exit(0)
argv = sys.argv if argv is None else argv
if len(argv) > 1:
cmd_name = argv[1]
raw_args = argv[2:]
args, kwargs = [], {}
for item in raw_args:
if item.startswith('--'):
splited = item[2:].split('=', 1)
if len(splited) == 2:
k, v = splited
elif len(splited) == 1:
k, v = splited[0], True
kwargs[k] = v
else:
args.append(item)
if delim in cmd_name:
digest_name, command = cmd_name.split(delim)
else:
digest_name = cmd_name
command = None
try:
digest = commands[digest_name]
except KeyError:
_command_list(commands)
sys.exit('ERROR: Command "{}" not found'.format(digest_name))
try:
if command is None:
if isinstance(digest, Cli):
help_ = digest.description(argv[0], digest_name)
sys.stdout.write(help_)
sys.exit('ERROR: "{}" command digest requires command name'
.format(digest_name))
digest(*args, **kwargs)
else:
digest(command, *args, **kwargs)
except CommandNotFound:
help_ = digest.description(argv[0], digest_name)
sys.stdout.write(help_)
sys.exit('ERROR: Command "{}:{}" not found'.format(digest_name,
command))
else:
_command_list(commands)
sys.exit('Please provide any command')
| manage | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(commands, argv=None, delim=':'):\n commands = {(k.decode('utf-8') if isinstance(k, six.binary_type) else k\n ): v for k, v in commands.items()}\n\n def x(commands):\n from .lazy import LazyCli\n cwords = os.environ['COMP_WORDS'].split()[1:]\n cword = int(os.environ['COMP_CWORD'])\n try:\n curr = cwords[cword - 1]\n except IndexError:\n curr = ''\n suggest = []\n if len(cwords) > 1 and cwords[0] in commands.keys():\n value = commands[cwords[0]]\n if isinstance(value, LazyCli):\n value = value.get_digest()\n for cmd_name, _ in value.get_funcs():\n cmd_name = cmd_name[8:]\n suggest.append(cmd_name)\n if curr == ':':\n curr = ''\n else:\n suggest += list(commands.keys()) + [(x + ':') for x in commands\n .keys()]\n suggest.sort()\n output = u' '.join(filter(lambda x: x.startswith(curr), suggest))\n sys.stdout.write(output)\n auto_complete = ('IKTOMI_AUTO_COMPLETE' in os.environ or \n 'DJANGO_AUTO_COMPLETE' in os.environ)\n if auto_complete:\n perform_auto_complete(commands)\n sys.exit(0)\n argv = sys.argv if argv is None else argv\n if len(argv) > 1:\n cmd_name = argv[1]\n raw_args = argv[2:]\n args, kwargs = [], {}\n for item in raw_args:\n if item.startswith('--'):\n splited = item[2:].split('=', 1)\n if len(splited) == 2:\n k, v = splited\n elif len(splited) == 1:\n k, v = splited[0], True\n kwargs[k] = v\n else:\n args.append(item)\n if delim in cmd_name:\n digest_name, command = cmd_name.split(delim)\n else:\n digest_name = cmd_name\n command = None\n try:\n digest = commands[digest_name]\n except KeyError:\n _command_list(commands)\n sys.exit('ERROR: Command \"{}\" not found'.format(digest_name))\n try:\n if command is None:\n if isinstance(digest, Cli):\n help_ = digest.description(argv[0], digest_name)\n sys.stdout.write(help_)\n sys.exit('ERROR: \"{}\" command digest requires command name'\n .format(digest_name))\n digest(*args, **kwargs)\n else:\n digest(command, *args, **kwargs)\n except CommandNotFound:\n help_ = digest.description(argv[0], digest_name)\n sys.stdout.write(help_)\n sys.exit('ERROR: Command \"{}:{}\" not found'.format(digest_name,\n command))\n else:\n _command_list(commands)\n sys.exit('Please provide any command')\n",
"role": "user"
},
{
"content": "manage",
"role": "assistant"
}
] |
def x(self, argv0='manage.py', command=None):
command = command or self.__class__.__name__.lower()
import inspect
_help = u''
_help += u'{}\n'.format(command)
if self.__doc__:
_help += self._fix_docstring(self.__doc__) + '\n'
else:
_help += u'{}\n'.format(command)
funcs = self.get_funcs()
funcs.sort(key=lambda x: six.get_function_code(x[1]).co_firstlineno)
for attr, func in funcs:
func = getattr(self, attr)
comm = attr.replace('command_', '', 1)
args = inspect.getargspec(func).args[1:]
args = ' [' + '] ['.join(args) + ']' if args else ''
_help += '\t{} {}:{}{}\n'.format(argv0, command, comm, args)
if func.__doc__:
_help += self._fix_docstring(func.__doc__, 2)
return _help
| description | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, argv0='manage.py', command=None):\n command = command or self.__class__.__name__.lower()\n import inspect\n _help = u''\n _help += u'{}\\n'.format(command)\n if self.__doc__:\n _help += self._fix_docstring(self.__doc__) + '\\n'\n else:\n _help += u'{}\\n'.format(command)\n funcs = self.get_funcs()\n funcs.sort(key=lambda x: six.get_function_code(x[1]).co_firstlineno)\n for attr, func in funcs:\n func = getattr(self, attr)\n comm = attr.replace('command_', '', 1)\n args = inspect.getargspec(func).args[1:]\n args = ' [' + '] ['.join(args) + ']' if args else ''\n _help += '\\t{} {}:{}{}\\n'.format(argv0, command, comm, args)\n if func.__doc__:\n _help += self._fix_docstring(func.__doc__, 2)\n return _help\n",
"role": "user"
},
{
"content": "description",
"role": "assistant"
}
] |
def x(self, avatarId, mind, *interfaces):
if IBoxReceiver in interfaces:
return IBoxReceiver, Adder(avatarId), lambda : None
raise NotImplementedError()
| requestAvatar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, avatarId, mind, *interfaces):\n if IBoxReceiver in interfaces:\n return IBoxReceiver, Adder(avatarId), lambda : None\n raise NotImplementedError()\n",
"role": "user"
},
{
"content": "requestAvatar",
"role": "assistant"
}
] |
def x(self, env):
logger.exception('Exception for %s %s :', env.request.method, env.
request.url)
| handle_error | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, env):\n logger.exception('Exception for %s %s :', env.request.method, env.\n request.url)\n",
"role": "user"
},
{
"content": "handle_error",
"role": "assistant"
}
] |
def x(self, env, data):
try:
response = self.handler(env, data)
if response is None:
logger.debug('Application returned None instead of Response object'
)
response = HTTPNotFound()
except HTTPException as e:
response = e
except Exception as e:
self.handle_error(env)
response = HTTPInternalServerError()
return response
| handle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, env, data):\n try:\n response = self.handler(env, data)\n if response is None:\n logger.debug('Application returned None instead of Response object'\n )\n response = HTTPNotFound()\n except HTTPException as e:\n response = e\n except Exception as e:\n self.handle_error(env)\n response = HTTPInternalServerError()\n return response\n",
"role": "user"
},
{
"content": "handle",
"role": "assistant"
}
] |
def x(self, key=None):
def x(function):
rkey = key
if rkey is None:
if isinstance(function, FunctionType):
rkey = function.__name__
else:
raise NameRequired()
if rkey not in self._exposed:
self._exposed[rkey] = []
self._exposed[rkey].append(function)
return function
return decorator
| expose | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key=None):\n\n def x(function):\n rkey = key\n if rkey is None:\n if isinstance(function, FunctionType):\n rkey = function.__name__\n else:\n raise NameRequired()\n if rkey not in self._exposed:\n self._exposed[rkey] = []\n self._exposed[rkey].append(function)\n return function\n return decorator\n",
"role": "user"
},
{
"content": "expose",
"role": "assistant"
}
] |
def x(self, obj, key):
if key not in self._exposed:
raise MethodNotExposed()
rightFuncs = self._exposed[key]
T = obj.__class__
seen = {}
for subT in inspect.getmro(T):
for name, value in subT.__dict__.items():
for rightFunc in rightFuncs:
if value is rightFunc:
if name in seen:
raise MethodNotExposed()
return value.__get__(obj, T)
seen[name] = True
raise MethodNotExposed()
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj, key):\n if key not in self._exposed:\n raise MethodNotExposed()\n rightFuncs = self._exposed[key]\n T = obj.__class__\n seen = {}\n for subT in inspect.getmro(T):\n for name, value in subT.__dict__.items():\n for rightFunc in rightFuncs:\n if value is rightFunc:\n if name in seen:\n raise MethodNotExposed()\n return value.__get__(obj, T)\n seen[name] = True\n raise MethodNotExposed()\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(path):
while True:
try:
return path.decode('utf-8')
except UnicodeDecodeError as e:
repercent = quote(path[e.start:e.end], safe=b"/#%[]=:;$&()+,!?*@'~"
)
path = path[:e.start] + repercent.encode('ascii') + path[e.end:]
| repercent_broken_unicode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n while True:\n try:\n return path.decode('utf-8')\n except UnicodeDecodeError as e:\n repercent = quote(path[e.start:e.end], safe=b\"/#%[]=:;$&()+,!?*@'~\"\n )\n path = path[:e.start] + repercent.encode('ascii') + path[e.end:]\n",
"role": "user"
},
{
"content": "repercent_broken_unicode",
"role": "assistant"
}
] |
def x(path, query, fragment):
path = url_unquote(path, '%/;?')
query = url_unquote(query, '%;/?:@&=+,$#')
fragment = url_unquote(fragment, '%;/?:@&=+,$#')
return path, query, fragment
| uri_to_iri_parts | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, query, fragment):\n path = url_unquote(path, '%/;?')\n query = url_unquote(query, '%;/?:@&=+,$#')\n fragment = url_unquote(fragment, '%;/?:@&=+,$#')\n return path, query, fragment\n",
"role": "user"
},
{
"content": "uri_to_iri_parts",
"role": "assistant"
}
] |
def x():
import os
from ambry.util import AttrDict
config = AttrDict()
f = os.path.join(os.path.dirname(os.path.realpath(__file__)), 'bundle.yaml'
)
config.update_yaml(f)
return config
| default_bundle_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n import os\n from ambry.util import AttrDict\n config = AttrDict()\n f = os.path.join(os.path.dirname(os.path.realpath(__file__)), 'bundle.yaml'\n )\n config.update_yaml(f)\n return config\n",
"role": "user"
},
{
"content": "default_bundle_config",
"role": "assistant"
}
] |
def x():
l = list()
for start in ('ambry/support', 'ambry/bundle/default_files'):
for root, dirs, files in os.walk(start):
for f in files:
if f.endswith('.pyc'):
continue
path = os.path.join(root, f).replace('ambry/', '')
l.append(path)
return {'ambry': l}
| find_package_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n l = list()\n for start in ('ambry/support', 'ambry/bundle/default_files'):\n for root, dirs, files in os.walk(start):\n for f in files:\n if f.endswith('.pyc'):\n continue\n path = os.path.join(root, f).replace('ambry/', '')\n l.append(path)\n return {'ambry': l}\n",
"role": "user"
},
{
"content": "find_package_data",
"role": "assistant"
}
] |
def x(self, of):
for p in ('mime_type', 'preference', 'state', 'hash', 'modified',
'size', 'contents', 'source_hash', 'data'):
setattr(self, p, getattr(of, p))
return self
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, of):\n for p in ('mime_type', 'preference', 'state', 'hash', 'modified',\n 'size', 'contents', 'source_hash', 'data'):\n setattr(self, p, getattr(of, p))\n return self\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self):
from nbformat import read
import msgpack
if self.mime_type == 'text/plain':
return self.contents.decode('utf-8')
elif self.mime_type == 'application/msgpack':
return msgpack.unpackb(self.contents, encoding='utf-8')
else:
return self.contents
| unpacked_contents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from nbformat import read\n import msgpack\n if self.mime_type == 'text/plain':\n return self.contents.decode('utf-8')\n elif self.mime_type == 'application/msgpack':\n return msgpack.unpackb(self.contents, encoding='utf-8')\n else:\n return self.contents\n",
"role": "user"
},
{
"content": "unpacked_contents",
"role": "assistant"
}
] |
def x(self):
rows = self.unpacked_contents
if not rows:
return
header = rows.pop(0)
for row in rows:
yield dict(list(zip(header, row)))
| dict_row_reader | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n rows = self.unpacked_contents\n if not rows:\n return\n header = rows.pop(0)\n for row in rows:\n yield dict(list(zip(header, row)))\n",
"role": "user"
},
{
"content": "dict_row_reader",
"role": "assistant"
}
] |
def x(self, contents, mime_type):
import hashlib
import time
new_size = len(contents)
self.mime_type = mime_type
if mime_type == 'text/plain':
self.contents = contents.encode('utf-8')
else:
self.contents = contents
old_hash = self.hash
self.hash = hashlib.md5(self.contents).hexdigest()
if self.size and old_hash != self.hash:
self.modified = int(time.time())
self.size = new_size
| update_contents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, contents, mime_type):\n import hashlib\n import time\n new_size = len(contents)\n self.mime_type = mime_type\n if mime_type == 'text/plain':\n self.contents = contents.encode('utf-8')\n else:\n self.contents = contents\n old_hash = self.hash\n self.hash = hashlib.md5(self.contents).hexdigest()\n if self.size and old_hash != self.hash:\n self.modified = int(time.time())\n self.size = new_size\n",
"role": "user"
},
{
"content": "update_contents",
"role": "assistant"
}
] |
def x(self):
d = {p.key: getattr(self, p.key) for p in self.__mapper__.attrs if p.
key not in ('contents', 'dataset')}
d['modified_datetime'] = self.modified_datetime
d['modified_ago'] = self.modified_ago
return d
| dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n d = {p.key: getattr(self, p.key) for p in self.__mapper__.attrs if p.\n key not in ('contents', 'dataset')}\n d['modified_datetime'] = self.modified_datetime\n d['modified_ago'] = self.modified_ago\n return d\n",
"role": "user"
},
{
"content": "dict",
"role": "assistant"
}
] |
def x(mapper, conn, target):
from sqlalchemy import text
if not target.id:
sql = text('SELECT max(f_id)+1 FROM files WHERE f_d_vid = :did')
target.id, = conn.execute(sql, did=target.d_vid).fetchone()
if not target.id:
target.id = 1
if target.contents and isinstance(target.contents, six.text_type):
target.contents = target.contents.encode('utf-8')
File.before_update(mapper, conn, target)
| before_insert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mapper, conn, target):\n from sqlalchemy import text\n if not target.id:\n sql = text('SELECT max(f_id)+1 FROM files WHERE f_d_vid = :did')\n target.id, = conn.execute(sql, did=target.d_vid).fetchone()\n if not target.id:\n target.id = 1\n if target.contents and isinstance(target.contents, six.text_type):\n target.contents = target.contents.encode('utf-8')\n File.before_update(mapper, conn, target)\n",
"role": "user"
},
{
"content": "before_insert",
"role": "assistant"
}
] |
def x(self, data, klass):
try:
return klass(data)
except UnicodeEncodeError:
return text(data)
except TypeError:
return data
| deserialize_primitive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, klass):\n try:\n return klass(data)\n except UnicodeEncodeError:\n return text(data)\n except TypeError:\n return data\n",
"role": "user"
},
{
"content": "deserialize_primitive",
"role": "assistant"
}
] |
def x(self, string):
try:
from dateutil.parser import parse
timestr = str(datetime.fromtimestamp(string / 1000))
return parse(timestr)
except ImportError:
return string
except ValueError:
raise ApiException(status=0, reason=
'Failed to parse `{0}` into a datetime object'.format(string))
| deserialize_datetime | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string):\n try:\n from dateutil.parser import parse\n timestr = str(datetime.fromtimestamp(string / 1000))\n return parse(timestr)\n except ImportError:\n return string\n except ValueError:\n raise ApiException(status=0, reason=\n 'Failed to parse `{0}` into a datetime object'.format(string))\n",
"role": "user"
},
{
"content": "deserialize_datetime",
"role": "assistant"
}
] |
def x(source, wrapper=list, error_bad_lines=True):
if isinstance(source, six.string_types):
source = six.StringIO(source)
rows = parse_lines(source)
if is_namedtuple(wrapper):
columns = wrapper._fields
wrapper = wrapper._make
else:
columns = next(rows, None)
if columns is not None:
i, columns = columns
yield wrapper(columns)
for i, values in rows:
if check_line_consistency(columns, values, i, error_bad_lines):
yield wrapper(values)
| un | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source, wrapper=list, error_bad_lines=True):\n if isinstance(source, six.string_types):\n source = six.StringIO(source)\n rows = parse_lines(source)\n if is_namedtuple(wrapper):\n columns = wrapper._fields\n wrapper = wrapper._make\n else:\n columns = next(rows, None)\n if columns is not None:\n i, columns = columns\n yield wrapper(columns)\n for i, values in rows:\n if check_line_consistency(columns, values, i, error_bad_lines):\n yield wrapper(values)\n",
"role": "user"
},
{
"content": "un",
"role": "assistant"
}
] |
def x(items, output=None):
strings = (format_collection(item) for item in items)
if output is None:
return strings
else:
for s in strings:
output.write(s + '\n')
| to | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(items, output=None):\n strings = (format_collection(item) for item in items)\n if output is None:\n return strings\n else:\n for s in strings:\n output.write(s + '\\n')\n",
"role": "user"
},
{
"content": "to",
"role": "assistant"
}
] |
def x(self, **kwargs):
kwargs['_return_http_data_only'] = True
if kwargs.get('callback'):
return self.get_logged_user_with_http_info(**kwargs)
else:
data = self.get_logged_user_with_http_info(**kwargs)
return data
| get_logged_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.get_logged_user_with_http_info(**kwargs)\n else:\n data = self.get_logged_user_with_http_info(**kwargs)\n return data\n",
"role": "user"
},
{
"content": "get_logged_user",
"role": "assistant"
}
] |
def x(args, l, use_history=False):
if not use_history:
if args.id:
return args.id, '-i argument'
if hasattr(args, 'bundle_ref') and args.bundle_ref:
return args.bundle_ref, 'bundle_ref argument'
if 'AMBRY_BUNDLE' in os.environ:
return os.environ['AMBRY_BUNDLE'], 'environment'
cwd_bundle = os.path.join(os.getcwd(), 'bundle.yaml')
if os.path.exists(cwd_bundle):
with open(cwd_bundle) as f:
from ambry.identity import Identity
config = yaml.load(f)
try:
ident = Identity.from_dict(config['identity'])
return ident.vid, 'directory'
except KeyError:
pass
history = l.edit_history()
if history:
return history[0].d_vid, 'history'
return None, None
| get_bundle_ref | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args, l, use_history=False):\n if not use_history:\n if args.id:\n return args.id, '-i argument'\n if hasattr(args, 'bundle_ref') and args.bundle_ref:\n return args.bundle_ref, 'bundle_ref argument'\n if 'AMBRY_BUNDLE' in os.environ:\n return os.environ['AMBRY_BUNDLE'], 'environment'\n cwd_bundle = os.path.join(os.getcwd(), 'bundle.yaml')\n if os.path.exists(cwd_bundle):\n with open(cwd_bundle) as f:\n from ambry.identity import Identity\n config = yaml.load(f)\n try:\n ident = Identity.from_dict(config['identity'])\n return ident.vid, 'directory'\n except KeyError:\n pass\n history = l.edit_history()\n if history:\n return history[0].d_vid, 'history'\n return None, None\n",
"role": "user"
},
{
"content": "get_bundle_ref",
"role": "assistant"
}
] |
def x(args, l, rc):
from ambry.orm.exc import ConflictError
d = dict(dataset=args.dataset, revision=args.revision, source=args.
source, bspace=args.space, subset=args.subset, btime=args.time,
variation=args.variation)
try:
ambry_account = rc.accounts.get('ambry', {})
except:
ambry_account = None
if not ambry_account:
fatal('Failed to get an accounts.ambry entry from the configuration. ')
if not ambry_account.get('name') or not ambry_account.get('email'):
fatal(
'Must set accounts.ambry.email and accounts.ambry.name n account config file'
)
if args.dryrun:
from ..identity import Identity
d['revision'] = 1
d['id'] = 'dXXX'
print(str(Identity.from_dict(d)))
return
try:
b = l.new_bundle(assignment_class=args.key, **d)
if ambry_account:
b.metadata.contacts.wrangler = ambry_account
b.build_source_files.bundle_meta.objects_to_record()
b.commit()
except ConflictError:
fatal(
"Can't create dataset; one with a conflicting name already exists")
print(b.identity.fqname)
| bundle_new | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args, l, rc):\n from ambry.orm.exc import ConflictError\n d = dict(dataset=args.dataset, revision=args.revision, source=args.\n source, bspace=args.space, subset=args.subset, btime=args.time,\n variation=args.variation)\n try:\n ambry_account = rc.accounts.get('ambry', {})\n except:\n ambry_account = None\n if not ambry_account:\n fatal('Failed to get an accounts.ambry entry from the configuration. ')\n if not ambry_account.get('name') or not ambry_account.get('email'):\n fatal(\n 'Must set accounts.ambry.email and accounts.ambry.name n account config file'\n )\n if args.dryrun:\n from ..identity import Identity\n d['revision'] = 1\n d['id'] = 'dXXX'\n print(str(Identity.from_dict(d)))\n return\n try:\n b = l.new_bundle(assignment_class=args.key, **d)\n if ambry_account:\n b.metadata.contacts.wrangler = ambry_account\n b.build_source_files.bundle_meta.objects_to_record()\n b.commit()\n except ConflictError:\n fatal(\n \"Can't create dataset; one with a conflicting name already exists\")\n print(b.identity.fqname)\n",
"role": "user"
},
{
"content": "bundle_new",
"role": "assistant"
}
] |
def x(self, app):
if self.loaded_apps.get(app):
return self.loaded_apps.get(app)
self.loaded_apps[app] = None
initial_data_class = import_string(self.get_class_path(app))
if issubclass(initial_data_class, BaseInitialData):
self.log('Loaded app {0}'.format(app))
self.loaded_apps[app] = initial_data_class
return self.loaded_apps[app]
| load_app | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app):\n if self.loaded_apps.get(app):\n return self.loaded_apps.get(app)\n self.loaded_apps[app] = None\n initial_data_class = import_string(self.get_class_path(app))\n if issubclass(initial_data_class, BaseInitialData):\n self.log('Loaded app {0}'.format(app))\n self.loaded_apps[app] = initial_data_class\n return self.loaded_apps[app]\n",
"role": "user"
},
{
"content": "load_app",
"role": "assistant"
}
] |
def x(self, app):
if app in self.updated_apps:
return
try:
initial_data_class = self.load_app(app)
except ImportError as e:
message = str(e)
if 'No module named' in message and 'fixtures' in message:
self.log('No initial data file for {0}'.format(app))
return
else:
raise
self.log('Checking dependencies for {0}'.format(app))
dependencies = self.get_dependency_call_list(app)
for dependency in dependencies:
self.update_app(dependency)
self.log('Updating app {0}'.format(app))
initial_data_instance = initial_data_class()
model_objs_registered_for_deletion = (initial_data_instance.
update_initial_data() or [])
model_objs_registered_for_deletion.extend(initial_data_instance.
get_model_objs_registered_for_deletion())
self.model_objs_registered_for_deletion.extend(
model_objs_registered_for_deletion)
self.updated_apps.add(app)
| update_app | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app):\n if app in self.updated_apps:\n return\n try:\n initial_data_class = self.load_app(app)\n except ImportError as e:\n message = str(e)\n if 'No module named' in message and 'fixtures' in message:\n self.log('No initial data file for {0}'.format(app))\n return\n else:\n raise\n self.log('Checking dependencies for {0}'.format(app))\n dependencies = self.get_dependency_call_list(app)\n for dependency in dependencies:\n self.update_app(dependency)\n self.log('Updating app {0}'.format(app))\n initial_data_instance = initial_data_class()\n model_objs_registered_for_deletion = (initial_data_instance.\n update_initial_data() or [])\n model_objs_registered_for_deletion.extend(initial_data_instance.\n get_model_objs_registered_for_deletion())\n self.model_objs_registered_for_deletion.extend(\n model_objs_registered_for_deletion)\n self.updated_apps.add(app)\n",
"role": "user"
},
{
"content": "update_app",
"role": "assistant"
}
] |
def x(self):
deduplicated_objs = {}
for model in self.model_objs_registered_for_deletion:
key = '{0}:{1}'.format(ContentType.objects.get_for_model(model,
for_concrete_model=False), model.id)
deduplicated_objs[key] = model
now = timezone.now()
registered_for_deletion_receipts = [RegisteredForDeletionReceipt(
model_obj_type=ContentType.objects.get_for_model(model_obj,
for_concrete_model=False), model_obj_id=model_obj.id, register_time
=now) for model_obj in deduplicated_objs.values()]
RegisteredForDeletionReceipt.objects.bulk_upsert(
registered_for_deletion_receipts, ['model_obj_type_id',
'model_obj_id'], update_fields=['register_time'])
for receipt in RegisteredForDeletionReceipt.objects.exclude(register_time
=now):
try:
receipt.model_obj.delete()
except:
pass
receipt.delete()
| handle_deletions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n deduplicated_objs = {}\n for model in self.model_objs_registered_for_deletion:\n key = '{0}:{1}'.format(ContentType.objects.get_for_model(model,\n for_concrete_model=False), model.id)\n deduplicated_objs[key] = model\n now = timezone.now()\n registered_for_deletion_receipts = [RegisteredForDeletionReceipt(\n model_obj_type=ContentType.objects.get_for_model(model_obj,\n for_concrete_model=False), model_obj_id=model_obj.id, register_time\n =now) for model_obj in deduplicated_objs.values()]\n RegisteredForDeletionReceipt.objects.bulk_upsert(\n registered_for_deletion_receipts, ['model_obj_type_id',\n 'model_obj_id'], update_fields=['register_time'])\n for receipt in RegisteredForDeletionReceipt.objects.exclude(register_time\n =now):\n try:\n receipt.model_obj.delete()\n except:\n pass\n receipt.delete()\n",
"role": "user"
},
{
"content": "handle_deletions",
"role": "assistant"
}
] |
def x(self):
for app in apps.get_app_configs():
self.update_app(app.name)
self.handle_deletions()
| update_all_apps | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for app in apps.get_app_configs():\n self.update_app(app.name)\n self.handle_deletions()\n",
"role": "user"
},
{
"content": "update_all_apps",
"role": "assistant"
}
] |
def x(self, app, call_list=None):
call_list = call_list or [app]
try:
initial_data_class = self.load_app(app)
except ImportError:
raise InitialDataMissingApp(dep=app)
dependencies = initial_data_class.dependencies
for dep in dependencies:
if dep in call_list:
raise InitialDataCircularDependency(dep=dep, call_list=call_list)
else:
self.get_dependency_call_list(dep, call_list + [dep])
call_list.extend(dependencies)
return call_list[1:]
| get_dependency_call_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app, call_list=None):\n call_list = call_list or [app]\n try:\n initial_data_class = self.load_app(app)\n except ImportError:\n raise InitialDataMissingApp(dep=app)\n dependencies = initial_data_class.dependencies\n for dep in dependencies:\n if dep in call_list:\n raise InitialDataCircularDependency(dep=dep, call_list=call_list)\n else:\n self.get_dependency_call_list(dep, call_list + [dep])\n call_list.extend(dependencies)\n return call_list[1:]\n",
"role": "user"
},
{
"content": "get_dependency_call_list",
"role": "assistant"
}
] |
def x(self):
self.dataset_index.reset()
self.partition_index.reset()
self.identifier_index.reset()
| reset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.dataset_index.reset()\n self.partition_index.reset()\n self.identifier_index.reset()\n",
"role": "user"
},
{
"content": "reset",
"role": "assistant"
}
] |
def x(self, terms):
if isinstance(terms, (tuple, list)):
if len(terms) > 1:
return '(' + ' OR '.join(terms) + ')'
else:
return terms[0]
else:
return terms
| or_join | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, terms):\n if isinstance(terms, (tuple, list)):\n if len(terms) > 1:\n return '(' + ' OR '.join(terms) + ')'\n else:\n return terms[0]\n else:\n return terms\n",
"role": "user"
},
{
"content": "or_join",
"role": "assistant"
}
] |
def x(self, terms):
if len(terms) > 1:
return ' AND '.join([self._or_join(t) for t in terms])
else:
return self._or_join(terms[0])
| and_join | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, terms):\n if len(terms) > 1:\n return ' AND '.join([self._or_join(t) for t in terms])\n else:\n return self._or_join(terms[0])\n",
"role": "user"
},
{
"content": "and_join",
"role": "assistant"
}
] |
def x(self, instance, force=False):
if not self.is_indexed(instance) and not force:
doc = self._as_document(instance)
self._index_document(doc, force=force)
logger.debug('{} indexed as\n {}'.format(instance.__class__,
pformat(doc)))
return True
logger.debug('{} already indexed.'.format(instance.__class__))
return False
| index_one | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, force=False):\n if not self.is_indexed(instance) and not force:\n doc = self._as_document(instance)\n self._index_document(doc, force=force)\n logger.debug('{} indexed as\\n {}'.format(instance.__class__,\n pformat(doc)))\n return True\n logger.debug('{} already indexed.'.format(instance.__class__))\n return False\n",
"role": "user"
},
{
"content": "index_one",
"role": "assistant"
}
] |
def x(self, dataset):
assert isinstance(dataset, Dataset)
execute = object_session(dataset).connection().execute
query = text(
"""
SELECT t_name, c_name, c_description
FROM columns
JOIN tables ON c_t_vid = t_vid WHERE t_d_vid = :dataset_vid;"""
)
columns = u('\n').join([u(' ').join(list(text_type(e) for e in t)) for
t in execute(query, dataset_vid=str(dataset.identity.vid))])
doc = '\n'.join([u('{}').format(x) for x in [dataset.config.metadata.
about.title, dataset.config.metadata.about.summary, dataset.
identity.id_, dataset.identity.vid, dataset.identity.source,
dataset.identity.name, dataset.identity.vname, columns]])
parts = u('{}').format(dataset.identity.source).split('.')
sources = ['.'.join(g) for g in [parts[-i:] for i in range(2, len(parts
) + 1)]] + ['.'.join(g) for g in [parts[:i] for i in range(0, len(
parts))]]
def x(g):
try:
return str(GVid.parse(g).summarize())
except (KeyError, ValueError):
return g
def x(value):
if not value:
return []
if isinstance(value, string_types):
lst = [value]
else:
try:
lst = list(value)
except TypeError:
lst = [value]
return lst
about_time = as_list(dataset.config.metadata.about.time)
about_grain = as_list(dataset.config.metadata.about.grain)
keywords = list(dataset.config.metadata.about.groups) + list(dataset.
config.metadata.about.tags) + about_time + [resum(g) for g in
about_grain] + sources
document = dict(vid=u('{}').format(dataset.identity.vid), title=u(
'{} {}').format(dataset.identity.name, dataset.config.metadata.
about.title), doc=u('{}').format(doc), keywords=' '.join(u('{}').
format(x) for x in keywords))
return document
| as_document | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dataset):\n assert isinstance(dataset, Dataset)\n execute = object_session(dataset).connection().execute\n query = text(\n \"\"\"\n SELECT t_name, c_name, c_description\n FROM columns\n JOIN tables ON c_t_vid = t_vid WHERE t_d_vid = :dataset_vid;\"\"\"\n )\n columns = u('\\n').join([u(' ').join(list(text_type(e) for e in t)) for\n t in execute(query, dataset_vid=str(dataset.identity.vid))])\n doc = '\\n'.join([u('{}').format(x) for x in [dataset.config.metadata.\n about.title, dataset.config.metadata.about.summary, dataset.\n identity.id_, dataset.identity.vid, dataset.identity.source,\n dataset.identity.name, dataset.identity.vname, columns]])\n parts = u('{}').format(dataset.identity.source).split('.')\n sources = ['.'.join(g) for g in [parts[-i:] for i in range(2, len(parts\n ) + 1)]] + ['.'.join(g) for g in [parts[:i] for i in range(0, len(\n parts))]]\n\n def x(g):\n try:\n return str(GVid.parse(g).summarize())\n except (KeyError, ValueError):\n return g\n\n def x(value):\n if not value:\n return []\n if isinstance(value, string_types):\n lst = [value]\n else:\n try:\n lst = list(value)\n except TypeError:\n lst = [value]\n return lst\n about_time = as_list(dataset.config.metadata.about.time)\n about_grain = as_list(dataset.config.metadata.about.grain)\n keywords = list(dataset.config.metadata.about.groups) + list(dataset.\n config.metadata.about.tags) + about_time + [resum(g) for g in\n about_grain] + sources\n document = dict(vid=u('{}').format(dataset.identity.vid), title=u(\n '{} {}').format(dataset.identity.name, dataset.config.metadata.\n about.title), doc=u('{}').format(doc), keywords=' '.join(u('{}').\n format(x) for x in keywords))\n return document\n",
"role": "user"
},
{
"content": "as_document",
"role": "assistant"
}
] |
def x(self, terms):
ret = {'keywords': list(), 'doc': list()}
if not isinstance(terms, dict):
stp = SearchTermParser()
terms = stp.parse(terms, term_join=self.backend._and_join)
if 'about' in terms:
ret['doc'].append(terms['about'])
if 'source' in terms:
ret['keywords'].append(terms['source'])
return ret
| expand_terms | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, terms):\n ret = {'keywords': list(), 'doc': list()}\n if not isinstance(terms, dict):\n stp = SearchTermParser()\n terms = stp.parse(terms, term_join=self.backend._and_join)\n if 'about' in terms:\n ret['doc'].append(terms['about'])\n if 'source' in terms:\n ret['keywords'].append(terms['source'])\n return ret\n",
"role": "user"
},
{
"content": "expand_terms",
"role": "assistant"
}
] |
def x(self, partition):
schema = ' '.join(u'{} {} {} {} {}'.format(c.id, c.vid, c.name, c.
altname, c.description) for c in partition.table.columns)
values = ''
for stat in partition.stats:
if stat.uvalues:
values += ' '.join(e[:200] for e in stat.uvalues) + '\n'
def x(g):
try:
return str(GVid.parse(g).summarize())
except KeyError:
return g
except ValueError:
logger.debug(
"Failed to parse gvid '{}' from partition '{}' grain coverage"
.format(g, partition.identity.vname))
return g
keywords = ' '.join(partition.space_coverage) + ' ' + ' '.join([resum(g
) for g in partition.grain_coverage if resum(g)]) + ' ' + ' '.join(
str(x) for x in partition.time_coverage)
doc_field = u('{} {} {} {} {} {}').format(values, schema, ' '.join([u(
'{}').format(partition.identity.vid), u('{}').format(partition.
identity.id_), u('{}').format(partition.identity.name), u('{}').
format(partition.identity.vname)]), partition.display.title,
partition.display.description, partition.display.sub_description,
partition.display.time_description, partition.display.geo_description)
document = dict(vid=u('{}').format(partition.identity.vid), dataset_vid
=u('{}').format(partition.identity.as_dataset().vid), title=u('{}')
.format(partition.table.description), keywords=u('{}').format(
keywords), doc=doc_field)
return document
| as_document | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, partition):\n schema = ' '.join(u'{} {} {} {} {}'.format(c.id, c.vid, c.name, c.\n altname, c.description) for c in partition.table.columns)\n values = ''\n for stat in partition.stats:\n if stat.uvalues:\n values += ' '.join(e[:200] for e in stat.uvalues) + '\\n'\n\n def x(g):\n try:\n return str(GVid.parse(g).summarize())\n except KeyError:\n return g\n except ValueError:\n logger.debug(\n \"Failed to parse gvid '{}' from partition '{}' grain coverage\"\n .format(g, partition.identity.vname))\n return g\n keywords = ' '.join(partition.space_coverage) + ' ' + ' '.join([resum(g\n ) for g in partition.grain_coverage if resum(g)]) + ' ' + ' '.join(\n str(x) for x in partition.time_coverage)\n doc_field = u('{} {} {} {} {} {}').format(values, schema, ' '.join([u(\n '{}').format(partition.identity.vid), u('{}').format(partition.\n identity.id_), u('{}').format(partition.identity.name), u('{}').\n format(partition.identity.vname)]), partition.display.title,\n partition.display.description, partition.display.sub_description,\n partition.display.time_description, partition.display.geo_description)\n document = dict(vid=u('{}').format(partition.identity.vid), dataset_vid\n =u('{}').format(partition.identity.as_dataset().vid), title=u('{}')\n .format(partition.table.description), keywords=u('{}').format(\n keywords), doc=doc_field)\n return document\n",
"role": "user"
},
{
"content": "as_document",
"role": "assistant"
}
] |
def x(self, terms):
ret = {'keywords': list(), 'doc': list(), 'from': None, 'to': None}
if not isinstance(terms, dict):
stp = SearchTermParser()
terms = stp.parse(terms, term_join=self.backend._and_join)
if 'about' in terms:
ret['doc'].append(terms['about'])
if 'with' in terms:
ret['doc'].append(terms['with'])
if 'in' in terms:
place_vids = self._expand_place_ids(terms['in'])
ret['keywords'].append(place_vids)
if 'by' in terms:
ret['keywords'].append(terms['by'])
ret['from'] = terms.get('from', None)
ret['to'] = terms.get('to', None)
return ret
| expand_terms | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, terms):\n ret = {'keywords': list(), 'doc': list(), 'from': None, 'to': None}\n if not isinstance(terms, dict):\n stp = SearchTermParser()\n terms = stp.parse(terms, term_join=self.backend._and_join)\n if 'about' in terms:\n ret['doc'].append(terms['about'])\n if 'with' in terms:\n ret['doc'].append(terms['with'])\n if 'in' in terms:\n place_vids = self._expand_place_ids(terms['in'])\n ret['keywords'].append(place_vids)\n if 'by' in terms:\n ret['keywords'].append(terms['by'])\n ret['from'] = terms.get('from', None)\n ret['to'] = terms.get('to', None)\n return ret\n",
"role": "user"
},
{
"content": "expand_terms",
"role": "assistant"
}
] |
def x(self, terms):
place_vids = []
first_type = None
for result in self.backend.identifier_index.search(terms):
if not first_type:
first_type = result.type
if result.type != first_type:
continue
place_vids.append(result.vid)
if place_vids:
all_set = set(itertools.chain.from_iterable(iallval(GVid.parse(x)) for
x in place_vids))
place_vids += list(str(x) for x in all_set)
return place_vids
else:
return terms
| expand_place_ids | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, terms):\n place_vids = []\n first_type = None\n for result in self.backend.identifier_index.search(terms):\n if not first_type:\n first_type = result.type\n if result.type != first_type:\n continue\n place_vids.append(result.vid)\n if place_vids:\n all_set = set(itertools.chain.from_iterable(iallval(GVid.parse(x)) for\n x in place_vids))\n place_vids += list(str(x) for x in all_set)\n return place_vids\n else:\n return terms\n",
"role": "user"
},
{
"content": "expand_place_ids",
"role": "assistant"
}
] |
def x(self, identifier):
return {'identifier': u('{}').format(identifier['identifier']), 'type':
u('{}').format(identifier['type']), 'name': u('{}').format(
identifier['name'])}
| as_document | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, identifier):\n return {'identifier': u('{}').format(identifier['identifier']), 'type':\n u('{}').format(identifier['type']), 'name': u('{}').format(\n identifier['name'])}\n",
"role": "user"
},
{
"content": "as_document",
"role": "assistant"
}
] |
def x(self):
from geoid.civick import GVid
geo_grains = {}
for sl, cls in GVid.sl_map.items():
if '_' not in cls.level:
geo_grains[self.stem(cls.level)] = str(cls.nullval().summarize())
return geo_grains
| geograins | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from geoid.civick import GVid\n geo_grains = {}\n for sl, cls in GVid.sl_map.items():\n if '_' not in cls.level:\n geo_grains[self.stem(cls.level)] = str(cls.nullval().summarize())\n return geo_grains\n",
"role": "user"
},
{
"content": "geograins",
"role": "assistant"
}
] |
def x(self, s, term_join=None):
if not term_join:
term_join = lambda x: '(' + ' OR '.join(x) + ')'
toks = self.scan(s)
if toks and toks[0] and (toks[0][0] == self.TERM or toks[0][0] == self.
QUOTEDTERM):
toks = [(self.MARKER, 'about')] + toks
bymarker = []
for t in toks:
if t[0] == self.MARKER:
bymarker.append((t[1], []))
else:
bymarker[-1][1].append(t)
comps = []
for t in bymarker:
t = list(t)
if t[0] == 'in' and len(t[1]) == 1 and isinstance(t[1][0][1],
string_types) and self.stem(t[1][0][1]) in self.geograins.keys():
t[0] = 'by'
if t[0] == 'from' and len(t[1]) == 1 and t[1][0][0] != self.YEAR:
t[0] = 'source'
comps.append(t)
groups = {marker: [] for marker, _ in comps}
for marker, terms in comps:
groups[marker] += [term for marker, term in terms]
for marker, group in groups.items():
if marker == 'about':
continue
if len(group) > 1 and marker not in self.multiterms:
groups[marker], extras = [group[0]], group[1:]
if not 'about' in groups:
groups['about'] = extras
else:
groups['about'] += extras
if marker == 'by':
groups['by'] = [self.geograins.get(self.stem(e)) for e in group]
for marker, terms in iteritems(groups):
if len(terms) > 1:
if marker in 'in':
groups[marker] = ' '.join(terms)
else:
groups[marker] = term_join(terms)
elif len(terms) == 1:
groups[marker] = terms[0]
else:
pass
return groups
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, s, term_join=None):\n if not term_join:\n term_join = lambda x: '(' + ' OR '.join(x) + ')'\n toks = self.scan(s)\n if toks and toks[0] and (toks[0][0] == self.TERM or toks[0][0] == self.\n QUOTEDTERM):\n toks = [(self.MARKER, 'about')] + toks\n bymarker = []\n for t in toks:\n if t[0] == self.MARKER:\n bymarker.append((t[1], []))\n else:\n bymarker[-1][1].append(t)\n comps = []\n for t in bymarker:\n t = list(t)\n if t[0] == 'in' and len(t[1]) == 1 and isinstance(t[1][0][1],\n string_types) and self.stem(t[1][0][1]) in self.geograins.keys():\n t[0] = 'by'\n if t[0] == 'from' and len(t[1]) == 1 and t[1][0][0] != self.YEAR:\n t[0] = 'source'\n comps.append(t)\n groups = {marker: [] for marker, _ in comps}\n for marker, terms in comps:\n groups[marker] += [term for marker, term in terms]\n for marker, group in groups.items():\n if marker == 'about':\n continue\n if len(group) > 1 and marker not in self.multiterms:\n groups[marker], extras = [group[0]], group[1:]\n if not 'about' in groups:\n groups['about'] = extras\n else:\n groups['about'] += extras\n if marker == 'by':\n groups['by'] = [self.geograins.get(self.stem(e)) for e in group]\n for marker, terms in iteritems(groups):\n if len(terms) > 1:\n if marker in 'in':\n groups[marker] = ' '.join(terms)\n else:\n groups[marker] = term_join(terms)\n elif len(terms) == 1:\n groups[marker] = terms[0]\n else:\n pass\n return groups\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self):
module = self.distribution.ext_modules[0]
building_for_windows = self.plat_name in ['win32', 'win-amd64']
if building_for_windows:
module.define_macros.append(('_CRT_SECURE_NO_WARNINGS', '1'))
module.libraries.append('advapi32')
if self.dynamic_linking:
module.libraries.append('yara')
else:
for source in yara_sources:
module.sources.append(source)
build_ext.build_ext.run(self)
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n module = self.distribution.ext_modules[0]\n building_for_windows = self.plat_name in ['win32', 'win-amd64']\n if building_for_windows:\n module.define_macros.append(('_CRT_SECURE_NO_WARNINGS', '1'))\n module.libraries.append('advapi32')\n if self.dynamic_linking:\n module.libraries.append('yara')\n else:\n for source in yara_sources:\n module.sources.append(source)\n build_ext.build_ext.run(self)\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(engine):
conn = engine.connect()
trans = conn.begin()
inspector = reflection.Inspector.from_engine(engine)
metadata = MetaData()
tbs = []
all_fks = []
types = []
for table_name in inspector.get_table_names():
fks = []
for fk in inspector.get_foreign_keys(table_name):
if not fk['name']:
continue
fks.append(ForeignKeyConstraint((), (), name=fk['name']))
for col in inspector.get_columns(table_name):
if isinstance(col['type'], SchemaType):
types.append(col['type'])
t = Table(table_name, metadata, *fks)
tbs.append(t)
all_fks.extend(fks)
try:
for fkc in all_fks:
conn.execute(DropConstraint(fkc))
for table in tbs:
conn.execute(DropTable(table))
for custom_type in types:
custom_type.drop(conn)
trans.commit()
except:
trans.rollback()
raise
| drop_everything | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(engine):\n conn = engine.connect()\n trans = conn.begin()\n inspector = reflection.Inspector.from_engine(engine)\n metadata = MetaData()\n tbs = []\n all_fks = []\n types = []\n for table_name in inspector.get_table_names():\n fks = []\n for fk in inspector.get_foreign_keys(table_name):\n if not fk['name']:\n continue\n fks.append(ForeignKeyConstraint((), (), name=fk['name']))\n for col in inspector.get_columns(table_name):\n if isinstance(col['type'], SchemaType):\n types.append(col['type'])\n t = Table(table_name, metadata, *fks)\n tbs.append(t)\n all_fks.extend(fks)\n try:\n for fkc in all_fks:\n conn.execute(DropConstraint(fkc))\n for table in tbs:\n conn.execute(DropTable(table))\n for custom_type in types:\n custom_type.drop(conn)\n trans.commit()\n except:\n trans.rollback()\n raise\n",
"role": "user"
},
{
"content": "drop_everything",
"role": "assistant"
}
] |
def x(self, meta_name=None, verbose=False):
def x(metadata):
for table in metadata.sorted_tables:
if verbose:
print(self._schema(table))
else:
print(' ' + table.name)
engine = self.session.get_bind(clause=table)
metadata.create_all(bind=engine, tables=[table])
if isinstance(self.metadata, MetaData):
print('Creating tables...')
_create_metadata_tables(self.metadata)
else:
for current_meta_name, metadata in self.metadata.items():
if meta_name not in (current_meta_name, None):
continue
print('Creating tables for {}...'.format(current_meta_name))
_create_metadata_tables(metadata)
| command_create_tables | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, meta_name=None, verbose=False):\n\n def x(metadata):\n for table in metadata.sorted_tables:\n if verbose:\n print(self._schema(table))\n else:\n print(' ' + table.name)\n engine = self.session.get_bind(clause=table)\n metadata.create_all(bind=engine, tables=[table])\n if isinstance(self.metadata, MetaData):\n print('Creating tables...')\n _create_metadata_tables(self.metadata)\n else:\n for current_meta_name, metadata in self.metadata.items():\n if meta_name not in (current_meta_name, None):\n continue\n print('Creating tables for {}...'.format(current_meta_name))\n _create_metadata_tables(metadata)\n",
"role": "user"
},
{
"content": "command_create_tables",
"role": "assistant"
}
] |
def x(self, meta_name=None):
answer = six.moves.input(u'All data will lost. Are you sure? [y/N] ')
if answer.strip().lower() != 'y':
sys.exit('Interrupted')
def x(metadata):
table = next(six.itervalues(metadata.tables), None)
if table is None:
print('Failed to find engine')
else:
engine = self.session.get_bind(clause=table)
drop_everything(engine)
print('Done')
if isinstance(self.metadata, MetaData):
print('Droping tables... ', end='')
_drop_metadata_tables(self.metadata)
else:
for current_meta_name, metadata in self.metadata.items():
if meta_name not in (current_meta_name, None):
continue
print('Droping tables for {}... '.format(current_meta_name), end=''
)
_drop_metadata_tables(metadata)
| command_drop_tables | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, meta_name=None):\n answer = six.moves.input(u'All data will lost. Are you sure? [y/N] ')\n if answer.strip().lower() != 'y':\n sys.exit('Interrupted')\n\n def x(metadata):\n table = next(six.itervalues(metadata.tables), None)\n if table is None:\n print('Failed to find engine')\n else:\n engine = self.session.get_bind(clause=table)\n drop_everything(engine)\n print('Done')\n if isinstance(self.metadata, MetaData):\n print('Droping tables... ', end='')\n _drop_metadata_tables(self.metadata)\n else:\n for current_meta_name, metadata in self.metadata.items():\n if meta_name not in (current_meta_name, None):\n continue\n print('Droping tables for {}... '.format(current_meta_name), end=''\n )\n _drop_metadata_tables(metadata)\n",
"role": "user"
},
{
"content": "command_drop_tables",
"role": "assistant"
}
] |
def x(self, name=None):
meta_name = table_name = None
if name:
if isinstance(self.metadata, MetaData):
table_name = name
elif '.' in name:
meta_name, table_name = name.split('.', 1)
else:
meta_name = name
def x(metadata):
if table_name is None:
for table in metadata.sorted_tables:
print(self._schema(table))
else:
try:
table = metadata.tables[table_name]
except KeyError:
sys.exit('Table {} is not found'.format(name))
print(self._schema(table))
if isinstance(self.metadata, MetaData):
_print_metadata_schema(self.metadata)
else:
for current_meta_name, metadata in self.metadata.items():
if meta_name not in (current_meta_name, None):
continue
_print_metadata_schema(metadata)
| command_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None):\n meta_name = table_name = None\n if name:\n if isinstance(self.metadata, MetaData):\n table_name = name\n elif '.' in name:\n meta_name, table_name = name.split('.', 1)\n else:\n meta_name = name\n\n def x(metadata):\n if table_name is None:\n for table in metadata.sorted_tables:\n print(self._schema(table))\n else:\n try:\n table = metadata.tables[table_name]\n except KeyError:\n sys.exit('Table {} is not found'.format(name))\n print(self._schema(table))\n if isinstance(self.metadata, MetaData):\n _print_metadata_schema(self.metadata)\n else:\n for current_meta_name, metadata in self.metadata.items():\n if meta_name not in (current_meta_name, None):\n continue\n _print_metadata_schema(metadata)\n",
"role": "user"
},
{
"content": "command_schema",
"role": "assistant"
}
] |
def x(self, *names):
if not names:
sys.exit('Please provide generator names')
for name in names:
name, count = name, 0
if ':' in name:
name, count = name.split(':', 1)
count = int(count)
create = self.generators[name]
print('Generating `{0}` count={1}'.format(name, count))
create(self.session, count)
self.session.commit()
| command_gen | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *names):\n if not names:\n sys.exit('Please provide generator names')\n for name in names:\n name, count = name, 0\n if ':' in name:\n name, count = name.split(':', 1)\n count = int(count)\n create = self.generators[name]\n print('Generating `{0}` count={1}'.format(name, count))\n create(self.session, count)\n self.session.commit()\n",
"role": "user"
},
{
"content": "command_gen",
"role": "assistant"
}
] |
def x(self):
from sockjs.cyclone.conn import ConnectionInfo
""" Return C{ConnectionInfo} object from current transport """
return ConnectionInfo(self.request.remote_ip, self.request.cookies,
self.request.arguments, self.request.headers, self.request.path)
| get_conn_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from sockjs.cyclone.conn import ConnectionInfo\n \"\"\" Return C{ConnectionInfo} object from current transport \"\"\"\n return ConnectionInfo(self.request.remote_ip, self.request.cookies,\n self.request.arguments, self.request.headers, self.request.path)\n",
"role": "user"
},
{
"content": "get_conn_info",
"role": "assistant"
}
] |
def x(statement):
parts = statement.to_unicode().split()
tables = set()
for i, token in enumerate(parts):
if token.lower() == 'from' or token.lower().endswith('join'):
tables.add(parts[i + 1].rstrip(';'))
return list(tables)
| get_table_names | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(statement):\n parts = statement.to_unicode().split()\n tables = set()\n for i, token in enumerate(parts):\n if token.lower() == 'from' or token.lower().endswith('join'):\n tables.add(parts[i + 1].rstrip(';'))\n return list(tables)\n",
"role": "user"
},
{
"content": "get_table_names",
"role": "assistant"
}
] |
def x(self, connection, partition, table_name=None, index_columns=None,
materialize=False, logger=None):
raise NotImplementedError
| install | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection, partition, table_name=None, index_columns=None,\n materialize=False, logger=None):\n raise NotImplementedError\n",
"role": "user"
},
{
"content": "install",
"role": "assistant"
}
] |
def x(self, connection, table, logger=None):
queries = []
query_tmpl = 'SELECT * FROM {}'
for partition in table.partitions:
partition.localize()
installed_name = self.install(connection, partition)
queries.append(query_tmpl.format(installed_name))
query = 'CREATE VIEW {} AS {} '.format(table.vid, '\nUNION ALL\n'.join(
queries))
logger.debug("""Creating view for table.
table: {}
query: {}"""
.format(table.vid, query))
self._execute(connection, query, fetch=False)
| install_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection, table, logger=None):\n queries = []\n query_tmpl = 'SELECT * FROM {}'\n for partition in table.partitions:\n partition.localize()\n installed_name = self.install(connection, partition)\n queries.append(query_tmpl.format(installed_name))\n query = 'CREATE VIEW {} AS {} '.format(table.vid, '\\nUNION ALL\\n'.join(\n queries))\n logger.debug(\"\"\"Creating view for table.\n table: {}\n query: {}\"\"\"\n .format(table.vid, query))\n self._execute(connection, query, fetch=False)\n",
"role": "user"
},
{
"content": "install_table",
"role": "assistant"
}
] |
def x(self, connection, query, fetch=True):
self.install_module(connection)
statements = sqlparse.parse(sqlparse.format(query, strip_comments=True))
logger.debug(
"""Finding and installing all partitions from query.
query: {}"""
.format(query))
new_query = []
if len(statements) > 1:
raise BadSQLError('Can only query a single statement')
if len(statements) == 0:
raise BadSQLError("DIdn't get any statements in '{}'".format(query))
statement = statements[0]
logger.debug("""Searching statement for partition ref.
statement: {}"""
.format(statement.to_unicode()))
logger.debug(
"""Executing updated query after partition install.
query before update: {}
query to execute (updated query): {}"""
.format(statement, new_query))
return self._execute(connection, statement.to_unicode(), fetch=fetch)
| query | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection, query, fetch=True):\n self.install_module(connection)\n statements = sqlparse.parse(sqlparse.format(query, strip_comments=True))\n logger.debug(\n \"\"\"Finding and installing all partitions from query. \n query: {}\"\"\"\n .format(query))\n new_query = []\n if len(statements) > 1:\n raise BadSQLError('Can only query a single statement')\n if len(statements) == 0:\n raise BadSQLError(\"DIdn't get any statements in '{}'\".format(query))\n statement = statements[0]\n logger.debug(\"\"\"Searching statement for partition ref.\n statement: {}\"\"\"\n .format(statement.to_unicode()))\n logger.debug(\n \"\"\"Executing updated query after partition install.\n query before update: {}\n query to execute (updated query): {}\"\"\"\n .format(statement, new_query))\n return self._execute(connection, statement.to_unicode(), fetch=fetch)\n",
"role": "user"
},
{
"content": "query",
"role": "assistant"
}
] |
def x(name):
response = utils.checked_api_call(pnc_api.build_configs, 'get_all', q=
'name==' + name).content
if not response:
return None
return response[0].id
| get_build_configuration_id_by_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n response = utils.checked_api_call(pnc_api.build_configs, 'get_all', q=\n 'name==' + name).content\n if not response:\n return None\n return response[0].id\n",
"role": "user"
},
{
"content": "get_build_configuration_id_by_name",
"role": "assistant"
}
] |
def x(name):
response = utils.checked_api_call(pnc_api.build_configs, 'get_all', q=
'name==' + name).content
if not response:
return None
return response[0]
| get_build_configuration_by_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n response = utils.checked_api_call(pnc_api.build_configs, 'get_all', q=\n 'name==' + name).content\n if not response:\n return None\n return response[0]\n",
"role": "user"
},
{
"content": "get_build_configuration_by_name",
"role": "assistant"
}
] |
def x(search_id):
response = utils.checked_api_call(pnc_api.build_configs, 'get_specific',
id=search_id)
if not response:
return False
return True
| config_id_exists | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(search_id):\n response = utils.checked_api_call(pnc_api.build_configs, 'get_specific',\n id=search_id)\n if not response:\n return False\n return True\n",
"role": "user"
},
{
"content": "config_id_exists",
"role": "assistant"
}
] |
def x(id=None, name=None, revision=None, temporary_build=False,
timestamp_alignment=False, no_build_dependencies=False,
keep_pod_on_failure=False, force_rebuild=False, rebuild_mode=common.
REBUILD_MODES_DEFAULT):
data = build_raw(id, name, revision, temporary_build,
timestamp_alignment, no_build_dependencies, keep_pod_on_failure,
force_rebuild, rebuild_mode)
if data:
return utils.format_json(data)
| build | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id=None, name=None, revision=None, temporary_build=False,\n timestamp_alignment=False, no_build_dependencies=False,\n keep_pod_on_failure=False, force_rebuild=False, rebuild_mode=common.\n REBUILD_MODES_DEFAULT):\n data = build_raw(id, name, revision, temporary_build,\n timestamp_alignment, no_build_dependencies, keep_pod_on_failure,\n force_rebuild, rebuild_mode)\n if data:\n return utils.format_json(data)\n",
"role": "user"
},
{
"content": "build",
"role": "assistant"
}
] |
def x(id=None, name=None):
data = get_build_configuration_raw(id, name)
if data:
return utils.format_json(data)
| get_build_configuration | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id=None, name=None):\n data = get_build_configuration_raw(id, name)\n if data:\n return utils.format_json(data)\n",
"role": "user"
},
{
"content": "get_build_configuration",
"role": "assistant"
}
] |
def x(id, **kwargs):
data = update_build_configuration_raw(id, **kwargs)
if data:
return utils.format_json(data)
| update_build_configuration | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id, **kwargs):\n data = update_build_configuration_raw(id, **kwargs)\n if data:\n return utils.format_json(data)\n",
"role": "user"
},
{
"content": "update_build_configuration",
"role": "assistant"
}
] |
def x(id=None, name=None):
data = delete_build_configuration_raw(id, name)
if data:
return utils.format_json(data)
| delete_build_configuration | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id=None, name=None):\n data = delete_build_configuration_raw(id, name)\n if data:\n return utils.format_json(data)\n",
"role": "user"
},
{
"content": "delete_build_configuration",
"role": "assistant"
}
] |
def x(id=None, name=None, page_size=200, page_index=0, sort='', q=''):
data = list_build_configurations_for_product_raw(id, name, page_size,
page_index, sort, q)
if data:
return utils.format_json_list(data)
| list_build_configurations_for_product | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id=None, name=None, page_size=200, page_index=0, sort='', q=''):\n data = list_build_configurations_for_product_raw(id, name, page_size,\n page_index, sort, q)\n if data:\n return utils.format_json_list(data)\n",
"role": "user"
},
{
"content": "list_build_configurations_for_product",
"role": "assistant"
}
] |
def x(id=None, name=None, page_size=200, page_index=0, sort='', q=''):
data = list_build_configurations_for_project_raw(id, name, page_size,
page_index, sort, q)
if data:
return utils.format_json_list(data)
| list_build_configurations_for_project | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id=None, name=None, page_size=200, page_index=0, sort='', q=''):\n data = list_build_configurations_for_project_raw(id, name, page_size,\n page_index, sort, q)\n if data:\n return utils.format_json_list(data)\n",
"role": "user"
},
{
"content": "list_build_configurations_for_project",
"role": "assistant"
}
] |
def x(product_id, version_id, page_size=200, page_index=0, sort='', q=''):
data = list_build_configurations_for_project_raw(product_id, version_id,
page_size, page_index, sort, q)
if data:
return utils.format_json_list(data)
| list_build_configurations_for_product_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(product_id, version_id, page_size=200, page_index=0, sort='', q=''):\n data = list_build_configurations_for_project_raw(product_id, version_id,\n page_size, page_index, sort, q)\n if data:\n return utils.format_json_list(data)\n",
"role": "user"
},
{
"content": "list_build_configurations_for_product_version",
"role": "assistant"
}
] |
def x(id=None, name=None, dependency_id=None, dependency_name=None):
data = add_dependency_raw(id, name, dependency_id, dependency_name)
if data:
return utils.format_json_list(data)
| add_dependency | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id=None, name=None, dependency_id=None, dependency_name=None):\n data = add_dependency_raw(id, name, dependency_id, dependency_name)\n if data:\n return utils.format_json_list(data)\n",
"role": "user"
},
{
"content": "add_dependency",
"role": "assistant"
}
] |
def x(id=None, name=None, dependency_id=None, dependency_name=None):
data = remove_dependency_raw(id, name, dependency_id, dependency_name)
if data:
return utils.format_json_list(data)
| remove_dependency | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id=None, name=None, dependency_id=None, dependency_name=None):\n data = remove_dependency_raw(id, name, dependency_id, dependency_name)\n if data:\n return utils.format_json_list(data)\n",
"role": "user"
},
{
"content": "remove_dependency",
"role": "assistant"
}
] |
def x(id=None, name=None, page_size=200, page_index=0, sort='', q=''):
data = list_product_versions_for_build_configuration_raw(id, name,
page_size, page_index, sort, q)
if data:
return utils.format_json_list(data)
| list_product_versions_for_build_configuration | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id=None, name=None, page_size=200, page_index=0, sort='', q=''):\n data = list_product_versions_for_build_configuration_raw(id, name,\n page_size, page_index, sort, q)\n if data:\n return utils.format_json_list(data)\n",
"role": "user"
},
{
"content": "list_product_versions_for_build_configuration",
"role": "assistant"
}
] |
def x(id=None, name=None, product_version_id=None):
data = remove_product_version_from_build_configuration_raw(id, name,
product_version_id)
if data:
return utils.format_json_list(data)
| remove_product_version_from_build_configuration | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id=None, name=None, product_version_id=None):\n data = remove_product_version_from_build_configuration_raw(id, name,\n product_version_id)\n if data:\n return utils.format_json_list(data)\n",
"role": "user"
},
{
"content": "remove_product_version_from_build_configuration",
"role": "assistant"
}
] |
def x(id=None, name=None, page_size=200, page_index=0, sort=''):
data = list_revisions_of_build_configuration_raw(id, name, page_size,
page_index, sort)
if data:
return utils.format_json_list(data)
| list_revisions_of_build_configuration | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id=None, name=None, page_size=200, page_index=0, sort=''):\n data = list_revisions_of_build_configuration_raw(id, name, page_size,\n page_index, sort)\n if data:\n return utils.format_json_list(data)\n",
"role": "user"
},
{
"content": "list_revisions_of_build_configuration",
"role": "assistant"
}
] |
def x(revision_id, id=None, name=None):
data = get_revision_of_build_configuration_raw(revision_id, id, name)
if data:
return utils.format_json_list(data)
| get_revision_of_build_configuration | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(revision_id, id=None, name=None):\n data = get_revision_of_build_configuration_raw(revision_id, id, name)\n if data:\n return utils.format_json_list(data)\n",
"role": "user"
},
{
"content": "get_revision_of_build_configuration",
"role": "assistant"
}
] |
def x(page_size=200, page_index=0, sort='', q=''):
data = list_build_configurations_raw(page_size, page_index, sort, q)
if data:
return utils.format_json_list(data)
| list_build_configurations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(page_size=200, page_index=0, sort='', q=''):\n data = list_build_configurations_raw(page_size, page_index, sort, q)\n if data:\n return utils.format_json_list(data)\n",
"role": "user"
},
{
"content": "list_build_configurations",
"role": "assistant"
}
] |
def x(abbr, name, region, zone, dst):
newabbr = tzabbr()
newabbr.abbr = abbr
newabbr.name = name
newabbr.region = region
newabbr.zone = zone
newabbr.dst = dst
if abbr not in all:
all[abbr] = newabbr
if not region in regions:
regions[region] = {}
assert abbr not in regions[region]
regions[region][abbr] = newabbr
| tzabbr_register | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(abbr, name, region, zone, dst):\n newabbr = tzabbr()\n newabbr.abbr = abbr\n newabbr.name = name\n newabbr.region = region\n newabbr.zone = zone\n newabbr.dst = dst\n if abbr not in all:\n all[abbr] = newabbr\n if not region in regions:\n regions[region] = {}\n assert abbr not in regions[region]\n regions[region][abbr] = newabbr\n",
"role": "user"
},
{
"content": "tzabbr_register",
"role": "assistant"
}
] |
def x(**kwargs):
License = create_license_object(**kwargs)
response = utils.checked_api_call(pnc_api.licenses, 'create_new', body=
License)
if response:
return utils.format_json(response.content)
| create_license | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**kwargs):\n License = create_license_object(**kwargs)\n response = utils.checked_api_call(pnc_api.licenses, 'create_new', body=\n License)\n if response:\n return utils.format_json(response.content)\n",
"role": "user"
},
{
"content": "create_license",
"role": "assistant"
}
] |
def x(id):
response = utils.checked_api_call(pnc_api.licenses, 'get_specific', id=id)
if response:
return utils.format_json(response.content)
| get_license | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id):\n response = utils.checked_api_call(pnc_api.licenses, 'get_specific', id=id)\n if response:\n return utils.format_json(response.content)\n",
"role": "user"
},
{
"content": "get_license",
"role": "assistant"
}
] |
def x(license_id):
response = utils.checked_api_call(pnc_api.licenses, 'delete', id=license_id
)
if response:
return utils.format_json(response.content)
| delete_license | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(license_id):\n response = utils.checked_api_call(pnc_api.licenses, 'delete', id=license_id\n )\n if response:\n return utils.format_json(response.content)\n",
"role": "user"
},
{
"content": "delete_license",
"role": "assistant"
}
] |
def x(license_id, **kwargs):
updated_license = pnc_api.licenses.get_specific(id=license_id).content
for key, value in iteritems(kwargs):
if value:
setattr(updated_license, key, value)
response = utils.checked_api_call(pnc_api.licenses, 'update', id=int(
license_id), body=updated_license)
if response:
return utils.format_json(response.content)
| update_license | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(license_id, **kwargs):\n updated_license = pnc_api.licenses.get_specific(id=license_id).content\n for key, value in iteritems(kwargs):\n if value:\n setattr(updated_license, key, value)\n response = utils.checked_api_call(pnc_api.licenses, 'update', id=int(\n license_id), body=updated_license)\n if response:\n return utils.format_json(response.content)\n",
"role": "user"
},
{
"content": "update_license",
"role": "assistant"
}
] |
def x(page_size=200, page_index=0, sort='', q=''):
response = utils.checked_api_call(pnc_api.licenses, 'get_all',
page_size=page_size, page_index=page_index, sort=sort, q=q)
if response:
return utils.format_json_list(response.content)
| list_licenses | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(page_size=200, page_index=0, sort='', q=''):\n response = utils.checked_api_call(pnc_api.licenses, 'get_all',\n page_size=page_size, page_index=page_index, sort=sort, q=q)\n if response:\n return utils.format_json_list(response.content)\n",
"role": "user"
},
{
"content": "list_licenses",
"role": "assistant"
}
] |
def x(self, img, transformation, params):
method = getattr(self, 'do__' + transformation)
return method(img, transformation, params)
| transform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, img, transformation, params):\n method = getattr(self, 'do__' + transformation)\n return method(img, transformation, params)\n",
"role": "user"
},
{
"content": "transform",
"role": "assistant"
}
] |
def x(self, size, target_size):
sw, sh = size
if sw >= sh * self.rate:
return self.hor_resize
else:
return self.vert_resize
| get_resizer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, size, target_size):\n sw, sh = size\n if sw >= sh * self.rate:\n return self.hor_resize\n else:\n return self.vert_resize\n",
"role": "user"
},
{
"content": "get_resizer",
"role": "assistant"
}
] |
def x(self, song):
if song in self._songs:
return
self._songs.append(song)
logger.debug('Add %s to player playlist', song)
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, song):\n if song in self._songs:\n return\n self._songs.append(song)\n logger.debug('Add %s to player playlist', song)\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(self, song):
if song in self._songs:
return
if self._current_song is None:
self._songs.append(song)
else:
index = self._songs.index(self._current_song)
self._songs.insert(index + 1, song)
| insert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, song):\n if song in self._songs:\n return\n if self._current_song is None:\n self._songs.append(song)\n else:\n index = self._songs.index(self._current_song)\n self._songs.insert(index + 1, song)\n",
"role": "user"
},
{
"content": "insert",
"role": "assistant"
}
] |
def x(self, song):
if song in self._songs:
if self._current_song is None:
self._songs.remove(song)
elif song == self._current_song:
next_song = self.next_song
if next_song == self.current_song:
self.current_song = None
self._songs.remove(song)
self.current_song = self.next_song
else:
self.current_song = self.next_song
self._songs.remove(song)
else:
self._songs.remove(song)
logger.debug('Remove {} from player playlist'.format(song))
else:
logger.debug('Remove failed: {} not in playlist'.format(song))
if song in self._bad_songs:
self._bad_songs.remove(song)
| remove | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, song):\n if song in self._songs:\n if self._current_song is None:\n self._songs.remove(song)\n elif song == self._current_song:\n next_song = self.next_song\n if next_song == self.current_song:\n self.current_song = None\n self._songs.remove(song)\n self.current_song = self.next_song\n else:\n self.current_song = self.next_song\n self._songs.remove(song)\n else:\n self._songs.remove(song)\n logger.debug('Remove {} from player playlist'.format(song))\n else:\n logger.debug('Remove failed: {} not in playlist'.format(song))\n if song in self._bad_songs:\n self._bad_songs.remove(song)\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
] |
def x(self, song):
self._last_song = self.current_song
if song is None:
self._current_song = None
elif song in self._songs:
self._current_song = song
else:
self.insert(song)
self._current_song = song
self.song_changed.emit(song)
| current_song | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, song):\n self._last_song = self.current_song\n if song is None:\n self._current_song = None\n elif song in self._songs:\n self._current_song = song\n else:\n self.insert(song)\n self._current_song = song\n self.song_changed.emit(song)\n",
"role": "user"
},
{
"content": "current_song",
"role": "assistant"
}
] |
def x(self, base=0, random_=False, direction=1):
if not self._songs or len(self._songs) <= len(self._bad_songs):
logger.debug('No good song in playlist.')
return None
good_songs = []
if direction > 0:
song_list = self._songs[base:] + self._songs[0:base]
else:
song_list = self._songs[base::-1] + self._songs[:base:-1]
for song in song_list:
if song not in self._bad_songs:
good_songs.append(song)
if random_:
return random.choice(good_songs)
else:
return good_songs[0]
| get_good_song | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, base=0, random_=False, direction=1):\n if not self._songs or len(self._songs) <= len(self._bad_songs):\n logger.debug('No good song in playlist.')\n return None\n good_songs = []\n if direction > 0:\n song_list = self._songs[base:] + self._songs[0:base]\n else:\n song_list = self._songs[base::-1] + self._songs[:base:-1]\n for song in song_list:\n if song not in self._bad_songs:\n good_songs.append(song)\n if random_:\n return random.choice(good_songs)\n else:\n return good_songs[0]\n",
"role": "user"
},
{
"content": "get_good_song",
"role": "assistant"
}
] |
def x(self):
if self.current_song is None:
return self._get_good_song()
if self.playback_mode == PlaybackMode.random:
next_song = self._get_good_song(random_=True)
else:
current_index = self._songs.index(self.current_song)
if current_index == len(self._songs) - 1:
if self.playback_mode in (PlaybackMode.loop, PlaybackMode.one_loop
):
next_song = self._get_good_song()
elif self.playback_mode == PlaybackMode.sequential:
next_song = None
else:
next_song = self._get_good_song(base=current_index + 1)
return next_song
| next_song | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.current_song is None:\n return self._get_good_song()\n if self.playback_mode == PlaybackMode.random:\n next_song = self._get_good_song(random_=True)\n else:\n current_index = self._songs.index(self.current_song)\n if current_index == len(self._songs) - 1:\n if self.playback_mode in (PlaybackMode.loop, PlaybackMode.one_loop\n ):\n next_song = self._get_good_song()\n elif self.playback_mode == PlaybackMode.sequential:\n next_song = None\n else:\n next_song = self._get_good_song(base=current_index + 1)\n return next_song\n",
"role": "user"
},
{
"content": "next_song",
"role": "assistant"
}
] |
def x(self):
if self.current_song is None:
return self._get_good_song(base=-1, direction=-1)
if self.playback_mode == PlaybackMode.random:
previous_song = self._get_good_song(direction=-1)
else:
current_index = self._songs.index(self.current_song)
previous_song = self._get_good_song(base=current_index - 1,
direction=-1)
return previous_song
| previous_song | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.current_song is None:\n return self._get_good_song(base=-1, direction=-1)\n if self.playback_mode == PlaybackMode.random:\n previous_song = self._get_good_song(direction=-1)\n else:\n current_index = self._songs.index(self.current_song)\n previous_song = self._get_good_song(base=current_index - 1,\n direction=-1)\n return previous_song\n",
"role": "user"
},
{
"content": "previous_song",
"role": "assistant"
}
] |
def x(self, value):
self._state = value
self.state_changed.emit(value)
| state | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n self._state = value\n self.state_changed.emit(value)\n",
"role": "user"
},
{
"content": "state",
"role": "assistant"
}
] |
def x(self, song):
if song is not None and song == self.current_song:
logger.warning('The song is already under playing.')
else:
self._playlist.current_song = song
| play_song | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, song):\n if song is not None and song == self.current_song:\n logger.warning('The song is already under playing.')\n else:\n self._playlist.current_song = song\n",
"role": "user"
},
{
"content": "play_song",
"role": "assistant"
}
] |
def x(self, song):
logger.debug('Player received song changed signal')
if song is not None:
logger.info('Try to play song: %s' % song)
if song.url:
self.play(song.url)
else:
self._playlist.mark_as_bad(song)
self.play_next()
else:
self.stop()
logger.info('No good song in player playlist anymore.')
| on_song_changed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, song):\n logger.debug('Player received song changed signal')\n if song is not None:\n logger.info('Try to play song: %s' % song)\n if song.url:\n self.play(song.url)\n else:\n self._playlist.mark_as_bad(song)\n self.play_next()\n else:\n self.stop()\n logger.info('No good song in player playlist anymore.')\n",
"role": "user"
},
{
"content": "on_song_changed",
"role": "assistant"
}
] |
def x(artifact, repo_url=None, mgmt_type=MGMT_TYPE.DEPENDENCIES,
mvn_repo_local=None):
pom_path = download_pom(repo_url, artifact)
if pom_path:
pom_dir = os.path.split(pom_path)[0]
eff_pom = get_effective_pom(pom_dir, repo_url, mvn_repo_local)
shutil.rmtree(pom_dir, True)
if not eff_pom:
return None
managed_arts = read_management(eff_pom, mgmt_type)
else:
managed_arts = None
return managed_arts
| read_managed_gavs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(artifact, repo_url=None, mgmt_type=MGMT_TYPE.DEPENDENCIES,\n mvn_repo_local=None):\n pom_path = download_pom(repo_url, artifact)\n if pom_path:\n pom_dir = os.path.split(pom_path)[0]\n eff_pom = get_effective_pom(pom_dir, repo_url, mvn_repo_local)\n shutil.rmtree(pom_dir, True)\n if not eff_pom:\n return None\n managed_arts = read_management(eff_pom, mgmt_type)\n else:\n managed_arts = None\n return managed_arts\n",
"role": "user"
},
{
"content": "read_managed_gavs",
"role": "assistant"
}
] |
def x(pom_dir, repo_url, mvn_repo_local, profiles=None, additional_params=None
):
global effective_pom_cache
pom_file = None
try:
pom_file = open(os.path.join(pom_dir, 'pom.xml'))
pom = pom_file.read()
finally:
if pom_file:
pom_file.close()
artifact = MavenArtifact(pom=pom)
gav = artifact.get_gav()
eff_pom = None
if repo_url in effective_pom_cache.keys():
if gav in effective_pom_cache[repo_url].keys():
if profiles in effective_pom_cache[repo_url][gav].keys():
if additional_params in effective_pom_cache[repo_url][gav][
profiles].keys():
eff_pom = effective_pom_cache[repo_url][gav][profiles][
additional_params]
if not eff_pom:
try:
eff_pom = _read_effective_pom(pom_dir, repo_url, mvn_repo_local,
profiles, additional_params)
finally:
if eff_pom:
effective_pom_cache.setdefault(repo_url, {}).setdefault(gav, {}
).setdefault(profiles, {})[additional_params] = eff_pom
return eff_pom
| get_effective_pom | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pom_dir, repo_url, mvn_repo_local, profiles=None, additional_params=None\n ):\n global effective_pom_cache\n pom_file = None\n try:\n pom_file = open(os.path.join(pom_dir, 'pom.xml'))\n pom = pom_file.read()\n finally:\n if pom_file:\n pom_file.close()\n artifact = MavenArtifact(pom=pom)\n gav = artifact.get_gav()\n eff_pom = None\n if repo_url in effective_pom_cache.keys():\n if gav in effective_pom_cache[repo_url].keys():\n if profiles in effective_pom_cache[repo_url][gav].keys():\n if additional_params in effective_pom_cache[repo_url][gav][\n profiles].keys():\n eff_pom = effective_pom_cache[repo_url][gav][profiles][\n additional_params]\n if not eff_pom:\n try:\n eff_pom = _read_effective_pom(pom_dir, repo_url, mvn_repo_local,\n profiles, additional_params)\n finally:\n if eff_pom:\n effective_pom_cache.setdefault(repo_url, {}).setdefault(gav, {}\n ).setdefault(profiles, {})[additional_params] = eff_pom\n return eff_pom\n",
"role": "user"
},
{
"content": "get_effective_pom",
"role": "assistant"
}
] |
def x(pom_dir, additional_params, repo_url=None, mvn_repo_local=None):
work_dir = os.getcwd()
os.chdir(pom_dir)
try:
if repo_url:
settings_filename = create_mirror_settings(repo_url)
else:
settings_filename = None
args = ['mvn', 'clean']
if mvn_repo_local:
args.extend(['-s', settings_filename])
if mvn_repo_local:
args.append('-Dmaven.repo.local=%s' % mvn_repo_local)
param_list = additional_params.split(' ')
args.extend(param_list)
logging.debug('Running command: %s', ' '.join(args))
command = Popen(args, stdout=PIPE, stderr=STDOUT)
stdout = command.communicate()[0]
if command.returncode:
logging.error('POM manipulation failed. Output:\n%s' % stdout)
else:
logging.debug('POM manipulation succeeded. Output:\n%s' % stdout)
finally:
os.chdir(work_dir)
| alter_poms | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pom_dir, additional_params, repo_url=None, mvn_repo_local=None):\n work_dir = os.getcwd()\n os.chdir(pom_dir)\n try:\n if repo_url:\n settings_filename = create_mirror_settings(repo_url)\n else:\n settings_filename = None\n args = ['mvn', 'clean']\n if mvn_repo_local:\n args.extend(['-s', settings_filename])\n if mvn_repo_local:\n args.append('-Dmaven.repo.local=%s' % mvn_repo_local)\n param_list = additional_params.split(' ')\n args.extend(param_list)\n logging.debug('Running command: %s', ' '.join(args))\n command = Popen(args, stdout=PIPE, stderr=STDOUT)\n stdout = command.communicate()[0]\n if command.returncode:\n logging.error('POM manipulation failed. Output:\\n%s' % stdout)\n else:\n logging.debug('POM manipulation succeeded. Output:\\n%s' % stdout)\n finally:\n os.chdir(work_dir)\n",
"role": "user"
},
{
"content": "alter_poms",
"role": "assistant"
}
] |
def x():
pom_file = None
try:
pom_file = open('pom.xml')
pom = pom_file.read()
finally:
if pom_file:
pom_file.close()
artifact = MavenArtifact(pom=pom)
if artifact.modules:
return True
else:
return False
| pom_contains_modules | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n pom_file = None\n try:\n pom_file = open('pom.xml')\n pom = pom_file.read()\n finally:\n if pom_file:\n pom_file.close()\n artifact = MavenArtifact(pom=pom)\n if artifact.modules:\n return True\n else:\n return False\n",
"role": "user"
},
{
"content": "pom_contains_modules",
"role": "assistant"
}
] |
def x(mead_tag, nexus_base_url, prefix='hudson-', suffix=''):
result = urlparse.urljoin(nexus_base_url, 'content/groups/')
result = urlparse.urljoin(result, '%s%s%s/' % (prefix, mead_tag, suffix))
return result
| get_repo_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mead_tag, nexus_base_url, prefix='hudson-', suffix=''):\n result = urlparse.urljoin(nexus_base_url, 'content/groups/')\n result = urlparse.urljoin(result, '%s%s%s/' % (prefix, mead_tag, suffix))\n return result\n",
"role": "user"
},
{
"content": "get_repo_url",
"role": "assistant"
}
] |
def x(repo_url=None, artifact=None, pom_url=None, target_dir=None):
if not pom_url:
pom_url = urlparse.urljoin(repo_url, '%s/' % string.replace(
artifact.groupId, '.', '/'))
pom_url = urlparse.urljoin(pom_url, '%s/' % artifact.artifactId)
pom_url = urlparse.urljoin(pom_url, '%s/' % artifact.version)
pom_url = urlparse.urljoin(pom_url, '%s-%s.pom' % (artifact.
artifactId, artifact.version))
handler = None
try:
handler = urlopen(pom_url)
except HTTPError as err:
logging.error('Failed to download POM %s. %s', pom_url, err)
return None
if not target_dir:
num = 1
while not target_dir or os.path.exists(target_dir):
target_dir = '/tmp/maven-temp-path-%s' % num
num += 1
pom_path = os.path.join(target_dir, 'pom.xml')
if handler.getcode() == 200:
pom = handler.read()
handler.close()
if not os.path.exists(target_dir):
os.makedirs(target_dir)
pom_file = None
try:
pom_file = open(pom_path, 'w')
pom_file.write(pom)
finally:
if pom_file:
pom_file.close()
return pom_path
| download_pom | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(repo_url=None, artifact=None, pom_url=None, target_dir=None):\n if not pom_url:\n pom_url = urlparse.urljoin(repo_url, '%s/' % string.replace(\n artifact.groupId, '.', '/'))\n pom_url = urlparse.urljoin(pom_url, '%s/' % artifact.artifactId)\n pom_url = urlparse.urljoin(pom_url, '%s/' % artifact.version)\n pom_url = urlparse.urljoin(pom_url, '%s-%s.pom' % (artifact.\n artifactId, artifact.version))\n handler = None\n try:\n handler = urlopen(pom_url)\n except HTTPError as err:\n logging.error('Failed to download POM %s. %s', pom_url, err)\n return None\n if not target_dir:\n num = 1\n while not target_dir or os.path.exists(target_dir):\n target_dir = '/tmp/maven-temp-path-%s' % num\n num += 1\n pom_path = os.path.join(target_dir, 'pom.xml')\n if handler.getcode() == 200:\n pom = handler.read()\n handler.close()\n if not os.path.exists(target_dir):\n os.makedirs(target_dir)\n pom_file = None\n try:\n pom_file = open(pom_path, 'w')\n pom_file.write(pom)\n finally:\n if pom_file:\n pom_file.close()\n return pom_path\n",
"role": "user"
},
{
"content": "download_pom",
"role": "assistant"
}
] |
def x(repo_url):
cwd = os.getcwd()
settings_path = os.path.join(cwd, 'settings.xml')
settings_file = None
try:
settings_file = open(settings_path, 'w')
settings_file.write('<?xml version="1.0" encoding="UTF-8"?>\n')
settings_file.write(
'<settings xmlns="http://maven.apache.org/SETTINGS/1.0.0"\n')
settings_file.write(
' xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"\n'
)
settings_file.write(
""" xsi:schemaLocation="http://maven.apache.org/SETTINGS/1.0.0 http://maven.apache.org/xsd/settings-1.0.0.xsd">
"""
)
settings_file.write('<mirrors>\n')
settings_file.write(' <mirror>\n')
settings_file.write(' <id>repo-mirror</id>\n')
settings_file.write(' <url>%s</url>\n' % repo_url)
settings_file.write(' <mirrorOf>*</mirrorOf>\n')
settings_file.write(' </mirror>\n')
settings_file.write(' </mirrors>\n')
settings_file.write('</settings>\n')
finally:
if settings_file:
settings_file.close()
return settings_path
| create_mirror_settings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(repo_url):\n cwd = os.getcwd()\n settings_path = os.path.join(cwd, 'settings.xml')\n settings_file = None\n try:\n settings_file = open(settings_path, 'w')\n settings_file.write('<?xml version=\"1.0\" encoding=\"UTF-8\"?>\\n')\n settings_file.write(\n '<settings xmlns=\"http://maven.apache.org/SETTINGS/1.0.0\"\\n')\n settings_file.write(\n ' xmlns:xsi=\"http://www.w3.org/2001/XMLSchema-instance\"\\n'\n )\n settings_file.write(\n \"\"\" xsi:schemaLocation=\"http://maven.apache.org/SETTINGS/1.0.0 http://maven.apache.org/xsd/settings-1.0.0.xsd\">\n\"\"\"\n )\n settings_file.write('<mirrors>\\n')\n settings_file.write(' <mirror>\\n')\n settings_file.write(' <id>repo-mirror</id>\\n')\n settings_file.write(' <url>%s</url>\\n' % repo_url)\n settings_file.write(' <mirrorOf>*</mirrorOf>\\n')\n settings_file.write(' </mirror>\\n')\n settings_file.write(' </mirrors>\\n')\n settings_file.write('</settings>\\n')\n finally:\n if settings_file:\n settings_file.close()\n return settings_path\n",
"role": "user"
},
{
"content": "create_mirror_settings",
"role": "assistant"
}
] |
def x(self, s, stype=1, offset=0, total='true', limit=60):
action = uri + '/search/get'
data = {'s': s, 'type': stype, 'offset': offset, 'total': total,
'limit': 60}
resp = self.request('POST', action, data)
if resp['code'] == 200:
return resp['result']['songs']
return []
| search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, s, stype=1, offset=0, total='true', limit=60):\n action = uri + '/search/get'\n data = {'s': s, 'type': stype, 'offset': offset, 'total': total,\n 'limit': 60}\n resp = self.request('POST', action, data)\n if resp['code'] == 200:\n return resp['result']['songs']\n return []\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x(self, artist_id):
action = uri + '/artist/' + str(artist_id)
data = self.request('GET', action)
return data
| artist_infos | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, artist_id):\n action = uri + '/artist/' + str(artist_id)\n data = self.request('GET', action)\n return data\n",
"role": "user"
},
{
"content": "artist_infos",
"role": "assistant"
}
] |
def x(self, album_id):
action = uri + '/album/' + str(album_id)
data = self.request('GET', action)
if data['code'] == 200:
return data['album']
| album_infos | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, album_id):\n action = uri + '/album/' + str(album_id)\n data = self.request('GET', action)\n if data['code'] == 200:\n return data['album']\n",
"role": "user"
},
{
"content": "album_infos",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.