source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self):
if self.current.lane_permission:
log.debug('HAS LANE PERM: %s' % self.current.lane_permission)
perm = self.current.lane_permission
if not self.current.has_permission(perm):
raise HTTPError(403,
"You don't have required lane permission: %s" % perm)
if self.current.lane_relations:
context = self.get_pool_context()
log.debug('HAS LANE RELS: %s' % self.current.lane_relations)
try:
cond_result = eval(self.current.lane_relations, context)
except:
log.exception('CONDITION EVAL ERROR : %s || %s' % (self.current
.lane_relations, context))
raise
if not cond_result:
log.debug('LANE RELATION ERR: %s %s' % (self.current.
lane_relations, context))
raise HTTPError(403, "You aren't qualified for this lane: %s" %
self.current.lane_relations)
|
check_for_lane_permission
|
[
{
"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.lane_permission:\n log.debug('HAS LANE PERM: %s' % self.current.lane_permission)\n perm = self.current.lane_permission\n if not self.current.has_permission(perm):\n raise HTTPError(403, \n \"You don't have required lane permission: %s\" % perm)\n if self.current.lane_relations:\n context = self.get_pool_context()\n log.debug('HAS LANE RELS: %s' % self.current.lane_relations)\n try:\n cond_result = eval(self.current.lane_relations, context)\n except:\n log.exception('CONDITION EVAL ERROR : %s || %s' % (self.current\n .lane_relations, context))\n raise\n if not cond_result:\n log.debug('LANE RELATION ERR: %s %s' % (self.current.\n lane_relations, context))\n raise HTTPError(403, \"You aren't qualified for this lane: %s\" %\n self.current.lane_relations)\n",
"role": "user"
},
{
"content": "check_for_lane_permission",
"role": "assistant"
}
] |
def x(self):
if self.current.task:
lane = self.current.lane_id
permission = '%s.%s.%s' % (self.current.workflow_name, lane, self.
current.task_name)
else:
permission = self.current.workflow_name
log.debug('CHECK PERM: %s' % permission)
if (self.current.task_type not in PERM_REQ_TASK_TYPES or permission.
startswith(tuple(settings.ANONYMOUS_WORKFLOWS)) or self.current.
is_auth and permission.startswith(tuple(settings.COMMON_WORKFLOWS))):
return
log.debug('REQUIRE PERM: %s' % permission)
if not self.current.has_permission(permission):
raise HTTPError(403, "You don't have required permission: %s" %
permission)
|
check_for_permission
|
[
{
"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.task:\n lane = self.current.lane_id\n permission = '%s.%s.%s' % (self.current.workflow_name, lane, self.\n current.task_name)\n else:\n permission = self.current.workflow_name\n log.debug('CHECK PERM: %s' % permission)\n if (self.current.task_type not in PERM_REQ_TASK_TYPES or permission.\n startswith(tuple(settings.ANONYMOUS_WORKFLOWS)) or self.current.\n is_auth and permission.startswith(tuple(settings.COMMON_WORKFLOWS))):\n return\n log.debug('REQUIRE PERM: %s' % permission)\n if not self.current.has_permission(permission):\n raise HTTPError(403, \"You don't have required permission: %s\" %\n permission)\n",
"role": "user"
},
{
"content": "check_for_permission",
"role": "assistant"
}
] |
def x(self):
if (not self.current.flow_enabled or self.current.task_type.startswith(
'End') and not self.are_we_in_subprocess()
) and 'token' in self.current.output:
del self.current.output['token']
|
handle_wf_finalization
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if (not self.current.flow_enabled or self.current.task_type.startswith(\n 'End') and not self.are_we_in_subprocess()\n ) and 'token' in self.current.output:\n del self.current.output['token']\n",
"role": "user"
},
{
"content": "handle_wf_finalization",
"role": "assistant"
}
] |
def x(data):
m = MoleculeContainer()
atoms, mapping = [], []
for a in data.GetAtoms():
atom = {'element': a.GetSymbol(), 'charge': a.GetFormalCharge()}
atoms.append(atom)
mapping.append(a.GetAtomMapNum())
isotope = a.GetIsotope()
if isotope:
atom['isotope'] = isotope
radical = a.GetNumRadicalElectrons()
if radical:
atom['multiplicity'] = radical + 1
conformers = data.GetConformers()
if conformers:
for atom, (x, y, z) in zip(atoms, conformers[0].GetPositions()):
atom['x'] = x
atom['y'] = y
atom['z'] = z
for atom, mapping in zip(atoms, mapping):
a = m.add_atom(atom)
if mapping:
m.atom(a)._parsed_mapping = mapping
for bond in data.GetBonds():
m.add_bond(bond.GetBeginAtomIdx() + 1, bond.GetEndAtomIdx() + 1,
_rdkit_bond_map[bond.GetBondType()])
return m
|
from_rdkit_molecule
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n m = MoleculeContainer()\n atoms, mapping = [], []\n for a in data.GetAtoms():\n atom = {'element': a.GetSymbol(), 'charge': a.GetFormalCharge()}\n atoms.append(atom)\n mapping.append(a.GetAtomMapNum())\n isotope = a.GetIsotope()\n if isotope:\n atom['isotope'] = isotope\n radical = a.GetNumRadicalElectrons()\n if radical:\n atom['multiplicity'] = radical + 1\n conformers = data.GetConformers()\n if conformers:\n for atom, (x, y, z) in zip(atoms, conformers[0].GetPositions()):\n atom['x'] = x\n atom['y'] = y\n atom['z'] = z\n for atom, mapping in zip(atoms, mapping):\n a = m.add_atom(atom)\n if mapping:\n m.atom(a)._parsed_mapping = mapping\n for bond in data.GetBonds():\n m.add_bond(bond.GetBeginAtomIdx() + 1, bond.GetEndAtomIdx() + 1,\n _rdkit_bond_map[bond.GetBondType()])\n return m\n",
"role": "user"
},
{
"content": "from_rdkit_molecule",
"role": "assistant"
}
] |
def x(data):
mol = RWMol()
conf = Conformer()
mapping = {}
is_3d = False
for n, a in data.atoms():
ra = Atom(a.number)
ra.SetAtomMapNum(n)
if a.charge:
ra.SetFormalCharge(a.charge)
if a.isotope != a.common_isotope:
ra.SetIsotope(a.isotope)
if a.radical:
ra.SetNumRadicalElectrons(a.radical)
mapping[n] = m = mol.AddAtom(ra)
conf.SetAtomPosition(m, (a.x, a.y, a.z))
if a.z:
is_3d = True
if not is_3d:
conf.Set3D(False)
for n, m, b in data.bonds():
mol.AddBond(mapping[n], mapping[m], _bond_map[b.order])
mol.AddConformer(conf)
SanitizeMol(mol)
return mol
|
to_rdkit_molecule
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n mol = RWMol()\n conf = Conformer()\n mapping = {}\n is_3d = False\n for n, a in data.atoms():\n ra = Atom(a.number)\n ra.SetAtomMapNum(n)\n if a.charge:\n ra.SetFormalCharge(a.charge)\n if a.isotope != a.common_isotope:\n ra.SetIsotope(a.isotope)\n if a.radical:\n ra.SetNumRadicalElectrons(a.radical)\n mapping[n] = m = mol.AddAtom(ra)\n conf.SetAtomPosition(m, (a.x, a.y, a.z))\n if a.z:\n is_3d = True\n if not is_3d:\n conf.Set3D(False)\n for n, m, b in data.bonds():\n mol.AddBond(mapping[n], mapping[m], _bond_map[b.order])\n mol.AddConformer(conf)\n SanitizeMol(mol)\n return mol\n",
"role": "user"
},
{
"content": "to_rdkit_molecule",
"role": "assistant"
}
] |
def x(self, start, weights, depth_limit):
adj = self._adj
stack = [(start, depth_limit, iter(sorted(adj[start], key=weights)))]
visited = {start}
disconnected = defaultdict(list)
edges = defaultdict(list)
while stack:
parent, depth_now, children = stack[-1]
try:
child = next(children)
except StopIteration:
stack.pop()
else:
if child not in visited:
edges[parent].append(child)
visited.add(child)
if depth_now > 1:
front = adj[child].keys() - {parent}
if front:
stack.append((child, depth_now - 1, iter(sorted(
front, key=weights))))
elif child not in disconnected:
disconnected[parent].append(child)
return visited, edges, disconnected
|
dfs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start, weights, depth_limit):\n adj = self._adj\n stack = [(start, depth_limit, iter(sorted(adj[start], key=weights)))]\n visited = {start}\n disconnected = defaultdict(list)\n edges = defaultdict(list)\n while stack:\n parent, depth_now, children = stack[-1]\n try:\n child = next(children)\n except StopIteration:\n stack.pop()\n else:\n if child not in visited:\n edges[parent].append(child)\n visited.add(child)\n if depth_now > 1:\n front = adj[child].keys() - {parent}\n if front:\n stack.append((child, depth_now - 1, iter(sorted(\n front, key=weights))))\n elif child not in disconnected:\n disconnected[parent].append(child)\n return visited, edges, disconnected\n",
"role": "user"
},
{
"content": "dfs",
"role": "assistant"
}
] |
def x():
parser = argparse.ArgumentParser(description=
'Marabunta: Migrating ants for Odoo')
parser.add_argument('--migration-file', '-f', action=EnvDefault, envvar
='MARABUNTA_MIGRATION_FILE', required=True, help=
'The yaml file containing the migration steps')
parser.add_argument('--database', '-d', action=EnvDefault, envvar=
'MARABUNTA_DATABASE', required=True, help="Odoo's database")
parser.add_argument('--db-user', '-u', action=EnvDefault, envvar=
'MARABUNTA_DB_USER', required=True, help="Odoo's database user")
parser.add_argument('--db-password', '-w', action=EnvDefault, envvar=
'MARABUNTA_DB_PASSWORD', required=True, help="Odoo's database password"
)
parser.add_argument('--db-port', '-p', default=os.environ.get(
'MARABUNTA_DB_PORT', 5432), help="Odoo's database port")
parser.add_argument('--db-host', '-H', default=os.environ.get(
'MARABUNTA_DB_HOST', 'localhost'), help="Odoo's database host")
parser.add_argument('--mode', action=EnvDefault, envvar=
'MARABUNTA_MODE', required=False, help=
"Specify the mode in which we run the migration,such as 'demo' or 'prod'. Additional operations of this mode will be executed after the main operations and the addons list of this mode will be merged with the main addons list."
)
parser.add_argument('--allow-serie', action=BoolEnvDefault, required=
False, envvar='MARABUNTA_ALLOW_SERIE', help=
'Allow to run more than 1 version upgrade at a time.')
parser.add_argument('--force-version', required=False, default=os.
environ.get('MARABUNTA_FORCE_VERSION'), help=
'Force upgrade of a version, even if it has already been applied.')
group = parser.add_argument_group(title='Web', description=
'Configuration related to the internal web server, used to publish a maintenance page during the migration.'
)
group.add_argument('--web-host', required=False, default=os.environ.get
('MARABUNTA_WEB_HOST', '0.0.0.0'), help='Host for the web server')
group.add_argument('--web-port', required=False, default=os.environ.get
('MARABUNTA_WEB_PORT', 8069), help='Port for the web server')
group.add_argument('--web-custom-html', required=False, default=os.
environ.get('MARABUNTA_WEB_CUSTOM_HTML'), help=
'Path to a custom html file to publish')
return parser
|
get_args_parser
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n parser = argparse.ArgumentParser(description=\n 'Marabunta: Migrating ants for Odoo')\n parser.add_argument('--migration-file', '-f', action=EnvDefault, envvar\n ='MARABUNTA_MIGRATION_FILE', required=True, help=\n 'The yaml file containing the migration steps')\n parser.add_argument('--database', '-d', action=EnvDefault, envvar=\n 'MARABUNTA_DATABASE', required=True, help=\"Odoo's database\")\n parser.add_argument('--db-user', '-u', action=EnvDefault, envvar=\n 'MARABUNTA_DB_USER', required=True, help=\"Odoo's database user\")\n parser.add_argument('--db-password', '-w', action=EnvDefault, envvar=\n 'MARABUNTA_DB_PASSWORD', required=True, help=\"Odoo's database password\"\n )\n parser.add_argument('--db-port', '-p', default=os.environ.get(\n 'MARABUNTA_DB_PORT', 5432), help=\"Odoo's database port\")\n parser.add_argument('--db-host', '-H', default=os.environ.get(\n 'MARABUNTA_DB_HOST', 'localhost'), help=\"Odoo's database host\")\n parser.add_argument('--mode', action=EnvDefault, envvar=\n 'MARABUNTA_MODE', required=False, help=\n \"Specify the mode in which we run the migration,such as 'demo' or 'prod'. Additional operations of this mode will be executed after the main operations and the addons list of this mode will be merged with the main addons list.\"\n )\n parser.add_argument('--allow-serie', action=BoolEnvDefault, required=\n False, envvar='MARABUNTA_ALLOW_SERIE', help=\n 'Allow to run more than 1 version upgrade at a time.')\n parser.add_argument('--force-version', required=False, default=os.\n environ.get('MARABUNTA_FORCE_VERSION'), help=\n 'Force upgrade of a version, even if it has already been applied.')\n group = parser.add_argument_group(title='Web', description=\n 'Configuration related to the internal web server, used to publish a maintenance page during the migration.'\n )\n group.add_argument('--web-host', required=False, default=os.environ.get\n ('MARABUNTA_WEB_HOST', '0.0.0.0'), help='Host for the web server')\n group.add_argument('--web-port', required=False, default=os.environ.get\n ('MARABUNTA_WEB_PORT', 8069), help='Port for the web server')\n group.add_argument('--web-custom-html', required=False, default=os.\n environ.get('MARABUNTA_WEB_CUSTOM_HTML'), help=\n 'Path to a custom html file to publish')\n return parser\n",
"role": "user"
},
{
"content": "get_args_parser",
"role": "assistant"
}
] |
def x(cls, args):
return cls(args.migration_file, args.database, db_user=args.db_user,
db_password=args.db_password, db_port=args.db_port, db_host=args.
db_host, mode=args.mode, allow_serie=args.allow_serie,
force_version=args.force_version, web_host=args.web_host, web_port=
args.web_port, web_custom_html=args.web_custom_html)
|
from_parse_args
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, args):\n return cls(args.migration_file, args.database, db_user=args.db_user,\n db_password=args.db_password, db_port=args.db_port, db_host=args.\n db_host, mode=args.mode, allow_serie=args.allow_serie,\n force_version=args.force_version, web_host=args.web_host, web_port=\n args.web_port, web_custom_html=args.web_custom_html)\n",
"role": "user"
},
{
"content": "from_parse_args",
"role": "assistant"
}
] |
def x(self, current):
self.current = current
self.input = current.input
self.output = current.output
self.cmd = current.task_data['cmd']
if self.cmd and NEXT_CMD_SPLITTER in self.cmd:
self.cmd, self.next_cmd = self.cmd.split(NEXT_CMD_SPLITTER)
else:
self.next_cmd = None
|
set_current
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, current):\n self.current = current\n self.input = current.input\n self.output = current.output\n self.cmd = current.task_data['cmd']\n if self.cmd and NEXT_CMD_SPLITTER in self.cmd:\n self.cmd, self.next_cmd = self.cmd.split(NEXT_CMD_SPLITTER)\n else:\n self.next_cmd = None\n",
"role": "user"
},
{
"content": "set_current",
"role": "assistant"
}
] |
def x(self, _form=None):
_form = _form or self.object_form
self.output['forms'] = _form.serialize()
self._add_meta_props(_form)
self.output['forms']['grouping'] = _form.Meta.grouping
self.output['forms']['constraints'] = _form.Meta.constraints
self._patch_form(self.output['forms'])
self.set_client_cmd('form')
|
form_out
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, _form=None):\n _form = _form or self.object_form\n self.output['forms'] = _form.serialize()\n self._add_meta_props(_form)\n self.output['forms']['grouping'] = _form.Meta.grouping\n self.output['forms']['constraints'] = _form.Meta.constraints\n self._patch_form(self.output['forms'])\n self.set_client_cmd('form')\n",
"role": "user"
},
{
"content": "form_out",
"role": "assistant"
}
] |
def x(self, *args):
self.client_cmd.update(args)
self.output['client_cmd'] = list(self.client_cmd)
|
set_client_cmd
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args):\n self.client_cmd.update(args)\n self.output['client_cmd'] = list(self.client_cmd)\n",
"role": "user"
},
{
"content": "set_client_cmd",
"role": "assistant"
}
] |
def x(self):
from pyoko.lib.utils import get_object_from_path
from zengine.config import settings
model = get_object_from_path(settings.PERMISSION_MODEL)
perm_provider = get_object_from_path(settings.PERMISSION_PROVIDER)
existing_perms = []
new_perms = []
for code, name, desc in perm_provider():
code = six.text_type(code)
if self.manager.args.dry:
exists = model.objects.filter(code=code, name=name)
if exists:
perm = exists[0]
new = False
else:
new = True
perm = model(code=code, name=name)
else:
try:
perm = model.objects.get(code)
existing_perms.append(perm)
except ObjectDoesNotExist:
perm = model(description=desc, code=code, name=name)
perm.key = code
perm.save()
new_perms.append(perm)
report = '\n\n%s permission(s) were found in DB. ' % len(existing_perms)
if new_perms:
report += '\n%s new permission record added. ' % len(new_perms)
else:
report += 'No new perms added. '
if new_perms:
if not self.manager.args.dry:
SelectBoxCache.flush(model.__name__)
report += 'Total %s perms exists.' % (len(existing_perms) + len(
new_perms))
report = '\n + ' + '\n + '.join([(p.name or p.code) for p in new_perms]
) + report
if self.manager.args.dry:
print('\n~~~~~~~~~~~~~~ DRY RUN ~~~~~~~~~~~~~~\n')
print(report + '\n')
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from pyoko.lib.utils import get_object_from_path\n from zengine.config import settings\n model = get_object_from_path(settings.PERMISSION_MODEL)\n perm_provider = get_object_from_path(settings.PERMISSION_PROVIDER)\n existing_perms = []\n new_perms = []\n for code, name, desc in perm_provider():\n code = six.text_type(code)\n if self.manager.args.dry:\n exists = model.objects.filter(code=code, name=name)\n if exists:\n perm = exists[0]\n new = False\n else:\n new = True\n perm = model(code=code, name=name)\n else:\n try:\n perm = model.objects.get(code)\n existing_perms.append(perm)\n except ObjectDoesNotExist:\n perm = model(description=desc, code=code, name=name)\n perm.key = code\n perm.save()\n new_perms.append(perm)\n report = '\\n\\n%s permission(s) were found in DB. ' % len(existing_perms)\n if new_perms:\n report += '\\n%s new permission record added. ' % len(new_perms)\n else:\n report += 'No new perms added. '\n if new_perms:\n if not self.manager.args.dry:\n SelectBoxCache.flush(model.__name__)\n report += 'Total %s perms exists.' % (len(existing_perms) + len(\n new_perms))\n report = '\\n + ' + '\\n + '.join([(p.name or p.code) for p in new_perms]\n ) + report\n if self.manager.args.dry:\n print('\\n~~~~~~~~~~~~~~ DRY RUN ~~~~~~~~~~~~~~\\n')\n print(report + '\\n')\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self):
from zengine.models import User
user = User(username=self.manager.args.username, superuser=self.manager
.args.super)
user.set_password(self.manager.args.password)
user.save()
print('New user created with ID: %s' % user.key)
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from zengine.models import User\n user = User(username=self.manager.args.username, superuser=self.manager\n .args.super)\n user.set_password(self.manager.args.password)\n user.save()\n print('New user created with ID: %s' % user.key)\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self):
print(
'Development server started on http://%s:%s. \n\nPress Ctrl+C to stop\n'
% (self.manager.args.addr, self.manager.args.port))
if self.manager.args.server_type == 'falcon':
self.run_with_falcon()
elif self.manager.args.server_type == 'tornado':
self.run_with_tornado()
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n print(\n 'Development server started on http://%s:%s. \\n\\nPress Ctrl+C to stop\\n'\n % (self.manager.args.addr, self.manager.args.port))\n if self.manager.args.server_type == 'falcon':\n self.run_with_falcon()\n elif self.manager.args.server_type == 'tornado':\n self.run_with_tornado()\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self):
from zengine.tornado_server.server import runserver
runserver(self.manager.args.addr, int(self.manager.args.port))
|
run_with_tornado
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from zengine.tornado_server.server import runserver\n runserver(self.manager.args.addr, int(self.manager.args.port))\n",
"role": "user"
},
{
"content": "run_with_tornado",
"role": "assistant"
}
] |
def x(self):
from wsgiref import simple_server
from zengine.server import app
httpd = simple_server.make_server(self.manager.args.addr, int(self.
manager.args.port), app)
httpd.serve_forever()
|
run_with_falcon
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from wsgiref import simple_server\n from zengine.server import app\n httpd = simple_server.make_server(self.manager.args.addr, int(self.\n manager.args.port), app)\n httpd.serve_forever()\n",
"role": "user"
},
{
"content": "run_with_falcon",
"role": "assistant"
}
] |
def x(self):
from zengine.wf_daemon import run_workers, Worker
worker_count = int(self.manager.args.workers or 1)
if not self.manager.args.daemonize:
print('Starting worker(s)')
if worker_count > 1 or self.manager.args.autoreload:
run_workers(worker_count, self.manager.args.paths.split(' '), self.
manager.args.daemonize)
else:
worker = Worker()
worker.run()
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from zengine.wf_daemon import run_workers, Worker\n worker_count = int(self.manager.args.workers or 1)\n if not self.manager.args.daemonize:\n print('Starting worker(s)')\n if worker_count > 1 or self.manager.args.autoreload:\n run_workers(worker_count, self.manager.args.paths.split(' '), self.\n manager.args.daemonize)\n else:\n worker = Worker()\n worker.run()\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(mapping):
try:
domain, dir = mapping.split(':')
except ValueError:
print(
"Please provide the sources in the form of '<domain>:<directory>'")
sys.exit(1)
try:
default_language = settings.TRANSLATION_DOMAINS[domain]
except KeyError:
print(
'Unknown domain {domain}, check the settings file to make sure this domain is set in TRANSLATION_DOMAINS'
.format(domain=domain))
sys.exit(1)
handle, path = tempfile.mkstemp(prefix='zengine_i18n_', suffix='.pot')
return domain, {'default': default_language, 'pot': path, 'source': dir}
|
prepare_domain
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mapping):\n try:\n domain, dir = mapping.split(':')\n except ValueError:\n print(\n \"Please provide the sources in the form of '<domain>:<directory>'\")\n sys.exit(1)\n try:\n default_language = settings.TRANSLATION_DOMAINS[domain]\n except KeyError:\n print(\n 'Unknown domain {domain}, check the settings file to make sure this domain is set in TRANSLATION_DOMAINS'\n .format(domain=domain))\n sys.exit(1)\n handle, path = tempfile.mkstemp(prefix='zengine_i18n_', suffix='.pot')\n return domain, {'default': default_language, 'pot': path, 'source': dir}\n",
"role": "user"
},
{
"content": "prepare_domain",
"role": "assistant"
}
] |
def x(domains):
missing = set(settings.TRANSLATION_DOMAINS.keys()) - set(domains.keys())
if missing:
print(
'The following domains have been set in the configuration, but their sources were not provided, use the `--source` option to specify their sources: {domains}'
.format(domains=', '.join(missing)))
sys.exit(1)
|
validate_domains
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(domains):\n missing = set(settings.TRANSLATION_DOMAINS.keys()) - set(domains.keys())\n if missing:\n print(\n 'The following domains have been set in the configuration, but their sources were not provided, use the `--source` option to specify their sources: {domains}'\n .format(domains=', '.join(missing)))\n sys.exit(1)\n",
"role": "user"
},
{
"content": "validate_domains",
"role": "assistant"
}
] |
def x(self, domains):
for domain, options in domains.items():
extractor = babel_frontend.extract_messages()
extractor.initialize_options()
extractor.output_file = options['pot']
extractor.add_comments = ['tn:']
extractor.strip_comments = True
extractor.input_paths = [options['source']]
extractor.msgid_bugs_address = self.manager.args.contact
extractor.copyright_holder = self.manager.args.copyright
extractor.version = self.manager.args.version
extractor.project = self.manager.args.project
extractor.finalize_options()
extractor.keywords.update({'gettext_lazy': extractor.keywords[
'gettext'], 'ngettext_lazy': extractor.keywords['ngettext'],
'__': extractor.keywords['gettext']})
_run_babel_command(extractor)
|
extract_translations
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, domains):\n for domain, options in domains.items():\n extractor = babel_frontend.extract_messages()\n extractor.initialize_options()\n extractor.output_file = options['pot']\n extractor.add_comments = ['tn:']\n extractor.strip_comments = True\n extractor.input_paths = [options['source']]\n extractor.msgid_bugs_address = self.manager.args.contact\n extractor.copyright_holder = self.manager.args.copyright\n extractor.version = self.manager.args.version\n extractor.project = self.manager.args.project\n extractor.finalize_options()\n extractor.keywords.update({'gettext_lazy': extractor.keywords[\n 'gettext'], 'ngettext_lazy': extractor.keywords['ngettext'],\n '__': extractor.keywords['gettext']})\n _run_babel_command(extractor)\n",
"role": "user"
},
{
"content": "extract_translations",
"role": "assistant"
}
] |
def x(self, domains):
for language in settings.TRANSLATIONS:
for domain, options in domains.items():
if language == options['default']:
continue
if os.path.isfile(_po_path(language, domain)):
self._update_po_file(language, domain, options['pot'])
else:
self._init_po_file(language, domain, options['pot'])
|
init_update_po_files
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, domains):\n for language in settings.TRANSLATIONS:\n for domain, options in domains.items():\n if language == options['default']:\n continue\n if os.path.isfile(_po_path(language, domain)):\n self._update_po_file(language, domain, options['pot'])\n else:\n self._init_po_file(language, domain, options['pot'])\n",
"role": "user"
},
{
"content": "init_update_po_files",
"role": "assistant"
}
] |
def x(self, domains):
for option in domains.values():
try:
os.remove(option['pot'])
except (IOError, OSError):
pass
|
cleanup
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, domains):\n for option in domains.values():\n try:\n os.remove(option['pot'])\n except (IOError, OSError):\n pass\n",
"role": "user"
},
{
"content": "cleanup",
"role": "assistant"
}
] |
def x(self):
from zengine.lib.cache import WFSpecNames
if self.manager.args.clear:
self._clear_models()
return
if self.manager.args.wf_path:
paths = self.get_wf_from_path(self.manager.args.wf_path)
else:
paths = self.get_workflows()
self.count = 0
self.do_with_submit(self.load_diagram, paths, threads=self.manager.args
.threads)
WFSpecNames().refresh()
print('%s BPMN file loaded' % self.count)
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from zengine.lib.cache import WFSpecNames\n if self.manager.args.clear:\n self._clear_models()\n return\n if self.manager.args.wf_path:\n paths = self.get_wf_from_path(self.manager.args.wf_path)\n else:\n paths = self.get_workflows()\n self.count = 0\n self.do_with_submit(self.load_diagram, paths, threads=self.manager.args\n .threads)\n WFSpecNames().refresh()\n print('%s BPMN file loaded' % self.count)\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self, path):
with open(path) as fp:
content = fp.read()
return [(os.path.basename(os.path.splitext(path)[0]), content)]
|
get_wf_from_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n with open(path) as fp:\n content = fp.read()\n return [(os.path.basename(os.path.splitext(path)[0]), content)]\n",
"role": "user"
},
{
"content": "get_wf_from_path",
"role": "assistant"
}
] |
def x(self):
for pth in settings.WORKFLOW_PACKAGES_PATHS:
for f in glob.glob('%s/*.bpmn' % pth):
with open(f) as fp:
yield os.path.basename(os.path.splitext(f)[0]), fp.read()
|
get_workflows
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for pth in settings.WORKFLOW_PACKAGES_PATHS:\n for f in glob.glob('%s/*.bpmn' % pth):\n with open(f) as fp:\n yield os.path.basename(os.path.splitext(f)[0]), fp.read()\n",
"role": "user"
},
{
"content": "get_workflows",
"role": "assistant"
}
] |
def x(self):
from pyoko.db.schema_update import SchemaUpdater
from socket import error as socket_error
from pyoko.conf import settings
from importlib import import_module
import_module(settings.MODELS_MODULE)
registry = import_module('pyoko.model').model_registry
models = [model for model in registry.get_base_models()]
try:
print(__(u'Checking migration and solr ...'))
updater = SchemaUpdater(models, 1, False)
updater.run(check_only=True)
except socket_error as e:
print(__(u'{0}Error not connected, open redis and rabbitmq{1}').
format(CheckList.FAIL, CheckList.ENDC))
|
check_migration_and_solr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from pyoko.db.schema_update import SchemaUpdater\n from socket import error as socket_error\n from pyoko.conf import settings\n from importlib import import_module\n import_module(settings.MODELS_MODULE)\n registry = import_module('pyoko.model').model_registry\n models = [model for model in registry.get_base_models()]\n try:\n print(__(u'Checking migration and solr ...'))\n updater = SchemaUpdater(models, 1, False)\n updater.run(check_only=True)\n except socket_error as e:\n print(__(u'{0}Error not connected, open redis and rabbitmq{1}').\n format(CheckList.FAIL, CheckList.ENDC))\n",
"role": "user"
},
{
"content": "check_migration_and_solr",
"role": "assistant"
}
] |
def x():
from pyoko.db.connection import cache
from redis.exceptions import ConnectionError
try:
cache.ping()
print(CheckList.OKGREEN + '{0}Redis is working{1}' + CheckList.ENDC)
except ConnectionError as e:
print(__(u'{0}Redis is not working{1} ').format(CheckList.FAIL,
CheckList.ENDC), e.message)
|
check_redis
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n from pyoko.db.connection import cache\n from redis.exceptions import ConnectionError\n try:\n cache.ping()\n print(CheckList.OKGREEN + '{0}Redis is working{1}' + CheckList.ENDC)\n except ConnectionError as e:\n print(__(u'{0}Redis is not working{1} ').format(CheckList.FAIL,\n CheckList.ENDC), e.message)\n",
"role": "user"
},
{
"content": "check_redis",
"role": "assistant"
}
] |
def x():
from pyoko.db.connection import client
from socket import error as socket_error
try:
if client.ping():
print(__(u'{0}Riak is working{1}').format(CheckList.OKGREEN,
CheckList.ENDC))
else:
print(__(u'{0}Riak is not working{1}').format(CheckList.FAIL,
CheckList.ENDC))
except socket_error as e:
print(__(u'{0}Riak is not working{1}').format(CheckList.FAIL,
CheckList.ENDC), e.message)
|
check_riak
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n from pyoko.db.connection import client\n from socket import error as socket_error\n try:\n if client.ping():\n print(__(u'{0}Riak is working{1}').format(CheckList.OKGREEN,\n CheckList.ENDC))\n else:\n print(__(u'{0}Riak is not working{1}').format(CheckList.FAIL,\n CheckList.ENDC))\n except socket_error as e:\n print(__(u'{0}Riak is not working{1}').format(CheckList.FAIL,\n CheckList.ENDC), e.message)\n",
"role": "user"
},
{
"content": "check_riak",
"role": "assistant"
}
] |
def x(self):
import pika
from zengine.client_queue import BLOCKING_MQ_PARAMS
from pika.exceptions import ProbableAuthenticationError, ConnectionClosed
try:
connection = pika.BlockingConnection(BLOCKING_MQ_PARAMS)
channel = connection.channel()
if channel.is_open:
print(__(u'{0}RabbitMQ is working{1}').format(CheckList.OKGREEN,
CheckList.ENDC))
elif self.channel.is_closed or self.channel.is_closing:
print(__(u'{0}RabbitMQ is not working!{1}').format(CheckList.
FAIL, CheckList.ENDC))
except ConnectionClosed as e:
print(__(u'{0}RabbitMQ is not working!{1}').format(CheckList.FAIL,
CheckList.ENDC), e)
except ProbableAuthenticationError as e:
print(__(u'{0}RabbitMQ username and password wrong{1}').format(
CheckList.FAIL, CheckList.ENDC))
|
check_mq_connection
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n import pika\n from zengine.client_queue import BLOCKING_MQ_PARAMS\n from pika.exceptions import ProbableAuthenticationError, ConnectionClosed\n try:\n connection = pika.BlockingConnection(BLOCKING_MQ_PARAMS)\n channel = connection.channel()\n if channel.is_open:\n print(__(u'{0}RabbitMQ is working{1}').format(CheckList.OKGREEN,\n CheckList.ENDC))\n elif self.channel.is_closed or self.channel.is_closing:\n print(__(u'{0}RabbitMQ is not working!{1}').format(CheckList.\n FAIL, CheckList.ENDC))\n except ConnectionClosed as e:\n print(__(u'{0}RabbitMQ is not working!{1}').format(CheckList.FAIL,\n CheckList.ENDC), e)\n except ProbableAuthenticationError as e:\n print(__(u'{0}RabbitMQ username and password wrong{1}').format(\n CheckList.FAIL, CheckList.ENDC))\n",
"role": "user"
},
{
"content": "check_mq_connection",
"role": "assistant"
}
] |
def x():
import sys
import os
if sys.getfilesystemencoding() in ['utf-8', 'UTF-8']:
print(__(u'{0}File system encoding correct{1}').format(CheckList.
OKGREEN, CheckList.ENDC))
else:
print(__(u'{0}File system encoding wrong!!{1}').format(CheckList.
FAIL, CheckList.ENDC))
check_env_list = ['RIAK_PROTOCOL', 'RIAK_SERVER', 'RIAK_PORT',
'REDIS_SERVER', 'DEFAULT_BUCKET_TYPE', 'PYOKO_SETTINGS', 'MQ_HOST',
'MQ_PORT', 'MQ_USER', 'MQ_VHOST']
env = os.environ
for k, v in env.items():
if k in check_env_list:
print(__(u'{0}{1} : {2}{3}').format(CheckList.BOLD, k, v,
CheckList.ENDC))
|
check_encoding_and_env
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n import sys\n import os\n if sys.getfilesystemencoding() in ['utf-8', 'UTF-8']:\n print(__(u'{0}File system encoding correct{1}').format(CheckList.\n OKGREEN, CheckList.ENDC))\n else:\n print(__(u'{0}File system encoding wrong!!{1}').format(CheckList.\n FAIL, CheckList.ENDC))\n check_env_list = ['RIAK_PROTOCOL', 'RIAK_SERVER', 'RIAK_PORT',\n 'REDIS_SERVER', 'DEFAULT_BUCKET_TYPE', 'PYOKO_SETTINGS', 'MQ_HOST',\n 'MQ_PORT', 'MQ_USER', 'MQ_VHOST']\n env = os.environ\n for k, v in env.items():\n if k in check_env_list:\n print(__(u'{0}{1} : {2}{3}').format(CheckList.BOLD, k, v,\n CheckList.ENDC))\n",
"role": "user"
},
{
"content": "check_encoding_and_env",
"role": "assistant"
}
] |
def x(position):
return position.no_moves(color.white) or position.no_moves(color.black)
|
no_moves
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(position):\n return position.no_moves(color.white) or position.no_moves(color.black)\n",
"role": "user"
},
{
"content": "no_moves",
"role": "assistant"
}
] |
def x(position, input_color):
return position.no_moves(input_color) and position.get_king(input_color
).in_check(position)
|
is_checkmate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(position, input_color):\n return position.no_moves(input_color) and position.get_king(input_color\n ).in_check(position)\n",
"role": "user"
},
{
"content": "is_checkmate",
"role": "assistant"
}
] |
def x(self, current_page, query_set, per_page=10):
total_objects = query_set.count()
total_pages = int(total_objects / per_page or 1)
current_per_page = per_page + (total_objects % per_page if current_page ==
total_pages else 0)
pagination_data = dict(page=current_page, total_pages=total_pages,
total_objects=total_objects, per_page=current_per_page)
query_set = query_set.set_params(rows=current_per_page, start=(
current_page - 1) * per_page)
return query_set, pagination_data
|
paginate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, current_page, query_set, per_page=10):\n total_objects = query_set.count()\n total_pages = int(total_objects / per_page or 1)\n current_per_page = per_page + (total_objects % per_page if current_page ==\n total_pages else 0)\n pagination_data = dict(page=current_page, total_pages=total_pages,\n total_objects=total_objects, per_page=current_per_page)\n query_set = query_set.set_params(rows=current_per_page, start=(\n current_page - 1) * per_page)\n return query_set, pagination_data\n",
"role": "user"
},
{
"content": "paginate",
"role": "assistant"
}
] |
def x(current):
msg = current.input['message']
msg_obj = Channel.add_message(msg['channel'], body=msg['body'], typ=msg
['type'], sender=current.user, title=msg['title'], receiver=msg[
'receiver'] or None)
current.output = {'msg_key': msg_obj.key, 'status': 'Created', 'code': 201}
if 'attachment' in msg:
for atch in msg['attachments']:
typ = current._dedect_file_type(atch['name'], atch['content'])
Attachment(channel_id=msg['channel'], msg=msg_obj, name=atch[
'name'], file=atch['content'], description=atch[
'description'], typ=typ).save()
|
create_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n msg = current.input['message']\n msg_obj = Channel.add_message(msg['channel'], body=msg['body'], typ=msg\n ['type'], sender=current.user, title=msg['title'], receiver=msg[\n 'receiver'] or None)\n current.output = {'msg_key': msg_obj.key, 'status': 'Created', 'code': 201}\n if 'attachment' in msg:\n for atch in msg['attachments']:\n typ = current._dedect_file_type(atch['name'], atch['content'])\n Attachment(channel_id=msg['channel'], msg=msg_obj, name=atch[\n 'name'], file=atch['content'], description=atch[\n 'description'], typ=typ).save()\n",
"role": "user"
},
{
"content": "create_message",
"role": "assistant"
}
] |
def x(current, waited=False):
ch = Channel(current).objects.get(current.input['key'])
sbs = ch.get_subscription_for_user(current.user_id)
current.output = {'key': current.input['key'], 'description': ch.
description, 'name': sbs.name, 'actions': sbs.get_actions(),
'avatar_url': ch.get_avatar(current.user), 'no_of_members': len(ch.
subscriber_set), 'member_list': [{'name': sb.user.full_name,
'is_online': sb.user.is_online(), 'avatar_url': sb.user.
get_avatar_url()} for sb in ch.subscriber_set.objects.all()],
'last_messages': [], 'status': 'OK', 'code': 200}
for msg in ch.get_last_messages():
current.output['last_messages'].insert(0, msg.serialize(current.user))
|
show_channel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current, waited=False):\n ch = Channel(current).objects.get(current.input['key'])\n sbs = ch.get_subscription_for_user(current.user_id)\n current.output = {'key': current.input['key'], 'description': ch.\n description, 'name': sbs.name, 'actions': sbs.get_actions(),\n 'avatar_url': ch.get_avatar(current.user), 'no_of_members': len(ch.\n subscriber_set), 'member_list': [{'name': sb.user.full_name,\n 'is_online': sb.user.is_online(), 'avatar_url': sb.user.\n get_avatar_url()} for sb in ch.subscriber_set.objects.all()],\n 'last_messages': [], 'status': 'OK', 'code': 200}\n for msg in ch.get_last_messages():\n current.output['last_messages'].insert(0, msg.serialize(current.user))\n",
"role": "user"
},
{
"content": "show_channel",
"role": "assistant"
}
] |
def x(current):
current.output = {'status': 'OK', 'code': 201, 'messages': []}
for msg in list(Message.objects.filter(channel_id=current.input[
'channel_key'], updated_at__lte=current.input['timestamp'])[:20]):
current.output['messages'].insert(0, msg.serialize(current.user))
if current.output['messages']:
current.output['messages'].pop(-1)
|
channel_history
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n current.output = {'status': 'OK', 'code': 201, 'messages': []}\n for msg in list(Message.objects.filter(channel_id=current.input[\n 'channel_key'], updated_at__lte=current.input['timestamp'])[:20]):\n current.output['messages'].insert(0, msg.serialize(current.user))\n if current.output['messages']:\n current.output['messages'].pop(-1)\n",
"role": "user"
},
{
"content": "channel_history",
"role": "assistant"
}
] |
def x(current):
sbs = Subscriber(current).objects.filter(channel_id=current.input[
'channel_key'], user_id=current.user_id)[0]
sbs.last_seen_msg_time = current.input['timestamp']
sbs.save()
current.output = {'status': 'OK', 'code': 200}
|
report_last_seen_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n sbs = Subscriber(current).objects.filter(channel_id=current.input[\n 'channel_key'], user_id=current.user_id)[0]\n sbs.last_seen_msg_time = current.input['timestamp']\n sbs.save()\n current.output = {'status': 'OK', 'code': 200}\n",
"role": "user"
},
{
"content": "report_last_seen_message",
"role": "assistant"
}
] |
def x(current):
current.output = {'status': 'OK', 'code': 200, 'channels': []}
for sbs in current.user.subscriptions.objects.filter(is_visible=True):
try:
current.output['channels'].append(sbs.get_channel_listing())
except ObjectDoesNotExist:
log.exception('UNPAIRED DIRECT EXCHANGES!!!!')
sbs.delete()
|
list_channels
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n current.output = {'status': 'OK', 'code': 200, 'channels': []}\n for sbs in current.user.subscriptions.objects.filter(is_visible=True):\n try:\n current.output['channels'].append(sbs.get_channel_listing())\n except ObjectDoesNotExist:\n log.exception('UNPAIRED DIRECT EXCHANGES!!!!')\n sbs.delete()\n",
"role": "user"
},
{
"content": "list_channels",
"role": "assistant"
}
] |
def x(current):
unread_ntf = 0
unread_msg = 0
for sbs in current.user.subscriptions.objects.filter(is_visible=True):
try:
if sbs.channel.key == current.user.prv_exchange:
unread_ntf += sbs.unread_count()
else:
unread_msg += sbs.unread_count()
except ObjectDoesNotExist:
log.exception('MULTIPLE PRV EXCHANGES!!!!')
sbs.delete()
current.output = {'status': 'OK', 'code': 200, 'notifications':
unread_ntf, 'messages': unread_msg}
|
unread_count
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n unread_ntf = 0\n unread_msg = 0\n for sbs in current.user.subscriptions.objects.filter(is_visible=True):\n try:\n if sbs.channel.key == current.user.prv_exchange:\n unread_ntf += sbs.unread_count()\n else:\n unread_msg += sbs.unread_count()\n except ObjectDoesNotExist:\n log.exception('MULTIPLE PRV EXCHANGES!!!!')\n sbs.delete()\n current.output = {'status': 'OK', 'code': 200, 'notifications':\n unread_ntf, 'messages': unread_msg}\n",
"role": "user"
},
{
"content": "unread_count",
"role": "assistant"
}
] |
def x(current):
current.output = {'status': 'OK', 'code': 200, 'notifications': []}
amount = current.input.get('amount', 8)
try:
notif_sbs = current.user.subscriptions.objects.get(channel_id=
current.user.prv_exchange)
except MultipleObjectsReturned:
log.exception('MULTIPLE PRV EXCHANGES!!!!')
sbs = current.user.subscriptions.objects.filter(channel_id=current.
user.prv_exchange)
sbs[0].delete()
notif_sbs = sbs[1]
for msg in notif_sbs.channel.message_set.objects.all()[:amount]:
current.output['notifications'].insert(0, {'title': msg.msg_title,
'body': msg.body, 'type': msg.typ, 'url': msg.url,
'channel_key': msg.channel.key, 'message_key': msg.key,
'timestamp': msg.updated_at})
|
get_notifications
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n current.output = {'status': 'OK', 'code': 200, 'notifications': []}\n amount = current.input.get('amount', 8)\n try:\n notif_sbs = current.user.subscriptions.objects.get(channel_id=\n current.user.prv_exchange)\n except MultipleObjectsReturned:\n log.exception('MULTIPLE PRV EXCHANGES!!!!')\n sbs = current.user.subscriptions.objects.filter(channel_id=current.\n user.prv_exchange)\n sbs[0].delete()\n notif_sbs = sbs[1]\n for msg in notif_sbs.channel.message_set.objects.all()[:amount]:\n current.output['notifications'].insert(0, {'title': msg.msg_title,\n 'body': msg.body, 'type': msg.typ, 'url': msg.url,\n 'channel_key': msg.channel.key, 'message_key': msg.key,\n 'timestamp': msg.updated_at})\n",
"role": "user"
},
{
"content": "get_notifications",
"role": "assistant"
}
] |
def x(current):
channel = Channel(name=current.input['name'], description=current.input
['description'], owner=current.user, typ=15).save()
with BlockSave(Subscriber):
Subscriber.objects.get_or_create(user=channel.owner, channel=
channel, can_manage=True, can_leave=False)
current.input['key'] = channel.key
show_channel(current)
current.output.update({'status': 'Created', 'code': 201})
|
create_channel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n channel = Channel(name=current.input['name'], description=current.input\n ['description'], owner=current.user, typ=15).save()\n with BlockSave(Subscriber):\n Subscriber.objects.get_or_create(user=channel.owner, channel=\n channel, can_manage=True, can_leave=False)\n current.input['key'] = channel.key\n show_channel(current)\n current.output.update({'status': 'Created', 'code': 201})\n",
"role": "user"
},
{
"content": "create_channel",
"role": "assistant"
}
] |
def x(current):
newly_added, existing = [], []
read_only = current.input['read_only']
for member_key in current.input['members']:
sb, new = Subscriber(current).objects.get_or_create(user_id=
member_key, read_only=read_only, channel_id=current.input[
'channel_key'])
if new:
newly_added.append(member_key)
else:
existing.append(member_key)
current.output = {'existing': existing, 'newly_added': newly_added,
'status': 'OK', 'code': 201}
|
add_members
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n newly_added, existing = [], []\n read_only = current.input['read_only']\n for member_key in current.input['members']:\n sb, new = Subscriber(current).objects.get_or_create(user_id=\n member_key, read_only=read_only, channel_id=current.input[\n 'channel_key'])\n if new:\n newly_added.append(member_key)\n else:\n existing.append(member_key)\n current.output = {'existing': existing, 'newly_added': newly_added,\n 'status': 'OK', 'code': 201}\n",
"role": "user"
},
{
"content": "add_members",
"role": "assistant"
}
] |
def x(current):
read_only = current.input['read_only']
newly_added, existing = [], []
for member_key in UnitModel.get_user_keys(current, current.input[
'unit_key']):
sb, new = Subscriber(current).objects.get_or_create(user_id=
member_key, read_only=read_only, channel_id=current.input[
'channel_key'])
if new:
newly_added.append(member_key)
else:
existing.append(member_key)
current.output = {'existing': existing, 'newly_added': newly_added,
'status': 'OK', 'code': 201}
|
add_unit_to_channel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n read_only = current.input['read_only']\n newly_added, existing = [], []\n for member_key in UnitModel.get_user_keys(current, current.input[\n 'unit_key']):\n sb, new = Subscriber(current).objects.get_or_create(user_id=\n member_key, read_only=read_only, channel_id=current.input[\n 'channel_key'])\n if new:\n newly_added.append(member_key)\n else:\n existing.append(member_key)\n current.output = {'existing': existing, 'newly_added': newly_added,\n 'status': 'OK', 'code': 201}\n",
"role": "user"
},
{
"content": "add_unit_to_channel",
"role": "assistant"
}
] |
def x(current):
current.output = {'results': [], 'status': 'OK', 'code': 201}
qs = UserModel(current).objects.exclude(key=current.user_id).search_on(*
settings.MESSAGING_USER_SEARCH_FIELDS, contains=current.input['query'])
for user in qs:
if user.key != current.user_id:
current.output['results'].append((user.full_name, user.key,
user.get_avatar_url()))
|
search_user
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n current.output = {'results': [], 'status': 'OK', 'code': 201}\n qs = UserModel(current).objects.exclude(key=current.user_id).search_on(*\n settings.MESSAGING_USER_SEARCH_FIELDS, contains=current.input['query'])\n for user in qs:\n if user.key != current.user_id:\n current.output['results'].append((user.full_name, user.key,\n user.get_avatar_url()))\n",
"role": "user"
},
{
"content": "search_user",
"role": "assistant"
}
] |
def x(current):
current.output = {'results': [], 'status': 'OK', 'code': 201}
for user in UnitModel(current).objects.search_on(*settings.
MESSAGING_UNIT_SEARCH_FIELDS, contains=current.input['query']):
current.output['results'].append((user.name, user.key))
|
search_unit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n current.output = {'results': [], 'status': 'OK', 'code': 201}\n for user in UnitModel(current).objects.search_on(*settings.\n MESSAGING_UNIT_SEARCH_FIELDS, contains=current.input['query']):\n current.output['results'].append((user.name, user.key))\n",
"role": "user"
},
{
"content": "search_unit",
"role": "assistant"
}
] |
def x(current):
channel, sub_name = Channel.get_or_create_direct_channel(current.
user_id, current.input['user_key'])
current.input['key'] = channel.key
show_channel(current)
current.output.update({'status': 'Created', 'code': 201})
|
create_direct_channel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n channel, sub_name = Channel.get_or_create_direct_channel(current.\n user_id, current.input['user_key'])\n current.input['key'] = channel.key\n show_channel(current)\n current.output.update({'status': 'Created', 'code': 201})\n",
"role": "user"
},
{
"content": "create_direct_channel",
"role": "assistant"
}
] |
def x(current):
current.output = {'results': [], 'status': 'OK', 'code': 201}
query_set = Message(current).objects.search_on(['msg_title', 'body',
'url'], contains=current.input['query'])
if current.input['channel_key']:
query_set = query_set.filter(channel_id=current.input['channel_key'])
else:
subscribed_channels = Subscriber.objects.filter(user_id=current.user_id
).values_list('channel_id', flatten=True)
query_set = query_set.filter(channel_id__in=subscribed_channels)
query_set, pagination_data = _paginate(current_page=current.input[
'page'], query_set=query_set)
current.output['pagination'] = pagination_data
for msg in query_set:
current.output['results'].append(msg.serialize(current.user))
|
find_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n current.output = {'results': [], 'status': 'OK', 'code': 201}\n query_set = Message(current).objects.search_on(['msg_title', 'body',\n 'url'], contains=current.input['query'])\n if current.input['channel_key']:\n query_set = query_set.filter(channel_id=current.input['channel_key'])\n else:\n subscribed_channels = Subscriber.objects.filter(user_id=current.user_id\n ).values_list('channel_id', flatten=True)\n query_set = query_set.filter(channel_id__in=subscribed_channels)\n query_set, pagination_data = _paginate(current_page=current.input[\n 'page'], query_set=query_set)\n current.output['pagination'] = pagination_data\n for msg in query_set:\n current.output['results'].append(msg.serialize(current.user))\n",
"role": "user"
},
{
"content": "find_message",
"role": "assistant"
}
] |
def x(current):
ch_key = current.input['channel_key']
ch = Channel(current).objects.get(owner_id=current.user_id, key=ch_key)
ch.delete()
Subscriber.objects.filter(channel_id=ch_key).delete()
Message.objects.filter(channel_id=ch_key).delete()
current.output = {'status': 'Deleted', 'code': 200}
|
delete_channel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n ch_key = current.input['channel_key']\n ch = Channel(current).objects.get(owner_id=current.user_id, key=ch_key)\n ch.delete()\n Subscriber.objects.filter(channel_id=ch_key).delete()\n Message.objects.filter(channel_id=ch_key).delete()\n current.output = {'status': 'Deleted', 'code': 200}\n",
"role": "user"
},
{
"content": "delete_channel",
"role": "assistant"
}
] |
def x(current):
ch = Channel(current).objects.get(owner_id=current.user_id, key=current
.input['channel_key'])
ch.name = current.input['name']
ch.description = current.input['description']
ch.save()
for sbs in ch.subscriber_set.objects.all():
sbs.name = ch.name
sbs.save()
current.output = {'status': 'OK', 'code': 200}
|
edit_channel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n ch = Channel(current).objects.get(owner_id=current.user_id, key=current\n .input['channel_key'])\n ch.name = current.input['name']\n ch.description = current.input['description']\n ch.save()\n for sbs in ch.subscriber_set.objects.all():\n sbs.name = ch.name\n sbs.save()\n current.output = {'status': 'OK', 'code': 200}\n",
"role": "user"
},
{
"content": "edit_channel",
"role": "assistant"
}
] |
def x(current):
try:
Subscriber(current).objects.filter(user_id=current.user_id,
channel_id=current.input['channel_key']).update(pinned=True)
current.output = {'status': 'OK', 'code': 200}
except ObjectDoesNotExist:
raise HTTPError(404, '')
|
pin_channel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n try:\n Subscriber(current).objects.filter(user_id=current.user_id,\n channel_id=current.input['channel_key']).update(pinned=True)\n current.output = {'status': 'OK', 'code': 200}\n except ObjectDoesNotExist:\n raise HTTPError(404, '')\n",
"role": "user"
},
{
"content": "pin_channel",
"role": "assistant"
}
] |
def x(current):
try:
Message(current).objects.get(sender_id=current.user_id, key=current
.input['key']).delete()
current.output = {'status': 'Deleted', 'code': 200, 'key': current.
input['key']}
except ObjectDoesNotExist:
raise HTTPError(404, '')
|
delete_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n try:\n Message(current).objects.get(sender_id=current.user_id, key=current\n .input['key']).delete()\n current.output = {'status': 'Deleted', 'code': 200, 'key': current.\n input['key']}\n except ObjectDoesNotExist:\n raise HTTPError(404, '')\n",
"role": "user"
},
{
"content": "delete_message",
"role": "assistant"
}
] |
def x(current):
current.output = {'status': 'OK', 'code': 200}
in_msg = current.input['message']
try:
msg = Message(current).objects.get(sender_id=current.user_id, key=
in_msg['key'])
msg.body = in_msg['body']
msg.save()
except ObjectDoesNotExist:
raise HTTPError(404, '')
|
edit_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n current.output = {'status': 'OK', 'code': 200}\n in_msg = current.input['message']\n try:\n msg = Message(current).objects.get(sender_id=current.user_id, key=\n in_msg['key'])\n msg.body = in_msg['body']\n msg.save()\n except ObjectDoesNotExist:\n raise HTTPError(404, '')\n",
"role": "user"
},
{
"content": "edit_message",
"role": "assistant"
}
] |
def x(current):
current.output = {'status': 'Created', 'code': 201}
FlaggedMessage.objects.get_or_create(user_id=current.user_id,
message_id=current.input['key'])
|
flag_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n current.output = {'status': 'Created', 'code': 201}\n FlaggedMessage.objects.get_or_create(user_id=current.user_id,\n message_id=current.input['key'])\n",
"role": "user"
},
{
"content": "flag_message",
"role": "assistant"
}
] |
def x(current):
current.output = {'status': 'OK', 'code': 200}
FlaggedMessage(current).objects.filter(user_id=current.user_id,
message_id=current.input['key']).delete()
|
unflag_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n current.output = {'status': 'OK', 'code': 200}\n FlaggedMessage(current).objects.filter(user_id=current.user_id,\n message_id=current.input['key']).delete()\n",
"role": "user"
},
{
"content": "unflag_message",
"role": "assistant"
}
] |
def x(current):
current.output = {'status': 'OK', 'code': 200, 'actions': Message.
objects.get(current.input['key']).get_actions_for(current.user)}
|
get_message_actions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n current.output = {'status': 'OK', 'code': 200, 'actions': Message.\n objects.get(current.input['key']).get_actions_for(current.user)}\n",
"role": "user"
},
{
"content": "get_message_actions",
"role": "assistant"
}
] |
def x(current):
msg = Message.objects.get(current.input['key'])
current.output = {'status': 'Created', 'code': 201}
fav, new = Favorite.objects.get_or_create(user_id=current.user_id,
message=msg)
current.output['favorite_key'] = fav.key
|
add_to_favorites
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n msg = Message.objects.get(current.input['key'])\n current.output = {'status': 'Created', 'code': 201}\n fav, new = Favorite.objects.get_or_create(user_id=current.user_id,\n message=msg)\n current.output['favorite_key'] = fav.key\n",
"role": "user"
},
{
"content": "add_to_favorites",
"role": "assistant"
}
] |
def x(current):
try:
current.output = {'status': 'OK', 'code': 200}
Favorite(current).objects.get(user_id=current.user_id, key=current.
input['key']).delete()
except ObjectDoesNotExist:
raise HTTPError(404, '')
|
remove_from_favorites
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n try:\n current.output = {'status': 'OK', 'code': 200}\n Favorite(current).objects.get(user_id=current.user_id, key=current.\n input['key']).delete()\n except ObjectDoesNotExist:\n raise HTTPError(404, '')\n",
"role": "user"
},
{
"content": "remove_from_favorites",
"role": "assistant"
}
] |
def x(current):
current.output = {'status': 'OK', 'code': 200, 'favorites': []}
query_set = Favorite(current).objects.filter(user_id=current.user_id)
if current.input['channel_key']:
query_set = query_set.filter(channel_id=current.input['channel_key'])
current.output['favorites'] = [{'key': fav.key, 'channel_key': fav.
channel.key, 'message_key': fav.message.key, 'message_summary': fav
.summary, 'channel_name': fav.channel_name} for fav in query_set]
|
list_favorites
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n current.output = {'status': 'OK', 'code': 200, 'favorites': []}\n query_set = Favorite(current).objects.filter(user_id=current.user_id)\n if current.input['channel_key']:\n query_set = query_set.filter(channel_id=current.input['channel_key'])\n current.output['favorites'] = [{'key': fav.key, 'channel_key': fav.\n channel.key, 'message_key': fav.message.key, 'message_summary': fav\n .summary, 'channel_name': fav.channel_name} for fav in query_set]\n",
"role": "user"
},
{
"content": "list_favorites",
"role": "assistant"
}
] |
def x(cls, initiator_key, receiver_key):
existing = cls.objects.OR().filter(code_name='%s_%s' % (initiator_key,
receiver_key)).filter(code_name='%s_%s' % (receiver_key, initiator_key)
)
receiver_name = UserModel.objects.get(receiver_key).full_name
if existing:
channel = existing[0]
else:
channel_name = '%s_%s' % (initiator_key, receiver_key)
channel = cls(is_direct=True, code_name=channel_name, typ=10
).blocking_save()
with BlockSave(Subscriber):
Subscriber.objects.get_or_create(channel=channel, user_id=
initiator_key, name=receiver_name)
Subscriber.objects.get_or_create(channel=channel, user_id=
receiver_key, name=UserModel.objects.get(initiator_key).full_name)
return channel, receiver_name
|
get_or_create_direct_channel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, initiator_key, receiver_key):\n existing = cls.objects.OR().filter(code_name='%s_%s' % (initiator_key,\n receiver_key)).filter(code_name='%s_%s' % (receiver_key, initiator_key)\n )\n receiver_name = UserModel.objects.get(receiver_key).full_name\n if existing:\n channel = existing[0]\n else:\n channel_name = '%s_%s' % (initiator_key, receiver_key)\n channel = cls(is_direct=True, code_name=channel_name, typ=10\n ).blocking_save()\n with BlockSave(Subscriber):\n Subscriber.objects.get_or_create(channel=channel, user_id=\n initiator_key, name=receiver_name)\n Subscriber.objects.get_or_create(channel=channel, user_id=\n receiver_key, name=UserModel.objects.get(initiator_key).full_name)\n return channel, receiver_name\n",
"role": "user"
},
{
"content": "get_or_create_direct_channel",
"role": "assistant"
}
] |
def x(self):
mq_channel = self._connect_mq()
mq_channel.exchange_declare(exchange=self.code_name, exchange_type=
'fanout', durable=True)
|
create_exchange
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n mq_channel = self._connect_mq()\n mq_channel.exchange_declare(exchange=self.code_name, exchange_type=\n 'fanout', durable=True)\n",
"role": "user"
},
{
"content": "create_exchange",
"role": "assistant"
}
] |
def x(self):
mq_channel = self._connect_mq()
mq_channel.exchange_delete(exchange=self.code_name)
|
delete_exchange
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n mq_channel = self._connect_mq()\n mq_channel.exchange_delete(exchange=self.code_name)\n",
"role": "user"
},
{
"content": "delete_exchange",
"role": "assistant"
}
] |
def x(self):
return {'name': self.name, 'key': self.channel.key, 'type': self.
channel.typ, 'read_only': self.read_only, 'is_online': self.
is_online(), 'actions': self.get_actions(), 'unread': self.
unread_count()}
|
get_channel_listing
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {'name': self.name, 'key': self.channel.key, 'type': self.\n channel.typ, 'read_only': self.read_only, 'is_online': self.\n is_online(), 'actions': self.get_actions(), 'unread': self.\n unread_count()}\n",
"role": "user"
},
{
"content": "get_channel_listing",
"role": "assistant"
}
] |
def x(self):
channel = self._connect_mq()
channel.exchange_declare(exchange=self.user.prv_exchange, exchange_type
='fanout', durable=True)
|
create_exchange
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n channel = self._connect_mq()\n channel.exchange_declare(exchange=self.user.prv_exchange, exchange_type\n ='fanout', durable=True)\n",
"role": "user"
},
{
"content": "create_exchange",
"role": "assistant"
}
] |
def x(self):
if self.channel.code_name != self.user.prv_exchange:
channel = self._connect_mq()
channel.exchange_bind(source=self.channel.code_name, destination=
self.user.prv_exchange)
|
bind_to_channel
|
[
{
"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.channel.code_name != self.user.prv_exchange:\n channel = self._connect_mq()\n channel.exchange_bind(source=self.channel.code_name, destination=\n self.user.prv_exchange)\n",
"role": "user"
},
{
"content": "bind_to_channel",
"role": "assistant"
}
] |
def x(self, user=None):
return {'content': self.body, 'type': self.typ, 'updated_at': self.
updated_at, 'timestamp': self.updated_at, 'is_update': not hasattr(
self, 'unsaved'), 'attachments': [attachment.serialize() for
attachment in self.attachment_set], 'title': self.msg_title, 'url':
self.url, 'sender_name': self.sender.full_name, 'sender_key': self.
sender.key, 'channel_key': self.channel.key, 'cmd': 'message',
'avatar_url': self.sender.avatar, 'key': self.key}
|
serialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user=None):\n return {'content': self.body, 'type': self.typ, 'updated_at': self.\n updated_at, 'timestamp': self.updated_at, 'is_update': not hasattr(\n self, 'unsaved'), 'attachments': [attachment.serialize() for\n attachment in self.attachment_set], 'title': self.msg_title, 'url':\n self.url, 'sender_name': self.sender.full_name, 'sender_key': self.\n sender.key, 'channel_key': self.channel.key, 'cmd': 'message',\n 'avatar_url': self.sender.avatar, 'key': self.key}\n",
"role": "user"
},
{
"content": "serialize",
"role": "assistant"
}
] |
def x(self):
mq_channel = self.channel._connect_mq()
mq_channel.basic_publish(exchange=self.channel.key, routing_key='',
body=json.dumps(self.serialize()))
|
republish
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n mq_channel = self.channel._connect_mq()\n mq_channel.basic_publish(exchange=self.channel.key, routing_key='',\n body=json.dumps(self.serialize()))\n",
"role": "user"
},
{
"content": "republish",
"role": "assistant"
}
] |
def x():
timestamp = datetime.now().isoformat().replace(':', '_')
user = getuser()
return '_'.join(('crawl', user, timestamp))
|
defaultCrawlId
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n timestamp = datetime.now().isoformat().replace(':', '_')\n user = getuser()\n return '_'.join(('crawl', user, timestamp))\n",
"role": "user"
},
{
"content": "defaultCrawlId",
"role": "assistant"
}
] |
def x(argv=None):
global Verbose, Mock
if argv is None:
argv = sys.argv
if len(argv) < 5:
die('Bad args')
try:
opts, argv = getopt.getopt(argv[1:], 'hs:p:mv', ['help', 'server=',
'port=', 'mock', 'verbose'])
except getopt.GetoptError as err:
print(err)
die()
serverEndpoint = DefaultServerEndpoint
for opt, val in opts:
if opt in ('-h', '--help'):
echo2(USAGE)
sys.exit()
elif opt in ('-s', '--server'):
serverEndpoint = val
elif opt in ('-p', '--port'):
serverEndpoint = 'http://localhost:%s' % val
elif opt in ('-m', '--mock'):
Mock = 1
elif opt in ('-v', '--verbose'):
Verbose = 1
else:
die(USAGE)
cmd = argv[0]
crawlId = argv[1]
confId = argv[2]
urlDir = argv[3]
args = {}
if len(argv) > 4:
args = eval(argv[4])
nt = Nutch(crawlId, confId, serverEndpoint, urlDir)
nt.Jobs().create(cmd, **args)
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(argv=None):\n global Verbose, Mock\n if argv is None:\n argv = sys.argv\n if len(argv) < 5:\n die('Bad args')\n try:\n opts, argv = getopt.getopt(argv[1:], 'hs:p:mv', ['help', 'server=',\n 'port=', 'mock', 'verbose'])\n except getopt.GetoptError as err:\n print(err)\n die()\n serverEndpoint = DefaultServerEndpoint\n for opt, val in opts:\n if opt in ('-h', '--help'):\n echo2(USAGE)\n sys.exit()\n elif opt in ('-s', '--server'):\n serverEndpoint = val\n elif opt in ('-p', '--port'):\n serverEndpoint = 'http://localhost:%s' % val\n elif opt in ('-m', '--mock'):\n Mock = 1\n elif opt in ('-v', '--verbose'):\n Verbose = 1\n else:\n die(USAGE)\n cmd = argv[0]\n crawlId = argv[1]\n confId = argv[2]\n urlDir = argv[3]\n args = {}\n if len(argv) > 4:\n args = eval(argv[4])\n nt = Nutch(crawlId, confId, serverEndpoint, urlDir)\n nt.Jobs().create(cmd, **args)\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(self, verb, servicePath, data=None, headers=None, forceText=False,
sendJson=True):
default_data = {} if sendJson else ''
data = data if data else default_data
headers = headers if headers else JsonAcceptHeader.copy()
if not sendJson:
headers.update(TextSendHeader)
if verb not in RequestVerbs:
die('Server call verb must be one of %s' % str(RequestVerbs.keys()))
if Verbose:
echo2('%s Endpoint:' % verb.upper(), servicePath)
echo2('%s Request data:' % verb.upper(), data)
echo2('%s Request headers:' % verb.upper(), headers)
verbFn = RequestVerbs[verb]
if sendJson:
resp = verbFn(self.serverEndpoint + servicePath, json=data, headers
=headers)
else:
resp = verbFn(self.serverEndpoint + servicePath, data=data, headers
=headers)
if Verbose:
echo2('Response headers:', resp.headers)
echo2('Response status:', resp.status_code)
if resp.status_code != 200:
if self.raiseErrors:
error = NutchException('Unexpected server response: %d' % resp.
status_code)
error.status_code = resp.status_code
raise error
else:
warn('Nutch server returned status:', resp.status_code)
if forceText or 'content-type' not in resp.headers or resp.headers[
'content-type'] == 'text/plain':
if Verbose:
echo2('Response text:', resp.text)
return resp.text
content_type = resp.headers['content-type']
if content_type == 'application/json' and not forceText:
if Verbose:
echo2('Response JSON:', resp.json())
return resp.json()
else:
die('Did not understand server response: %s' % resp.headers)
|
call
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, verb, servicePath, data=None, headers=None, forceText=False,\n sendJson=True):\n default_data = {} if sendJson else ''\n data = data if data else default_data\n headers = headers if headers else JsonAcceptHeader.copy()\n if not sendJson:\n headers.update(TextSendHeader)\n if verb not in RequestVerbs:\n die('Server call verb must be one of %s' % str(RequestVerbs.keys()))\n if Verbose:\n echo2('%s Endpoint:' % verb.upper(), servicePath)\n echo2('%s Request data:' % verb.upper(), data)\n echo2('%s Request headers:' % verb.upper(), headers)\n verbFn = RequestVerbs[verb]\n if sendJson:\n resp = verbFn(self.serverEndpoint + servicePath, json=data, headers\n =headers)\n else:\n resp = verbFn(self.serverEndpoint + servicePath, data=data, headers\n =headers)\n if Verbose:\n echo2('Response headers:', resp.headers)\n echo2('Response status:', resp.status_code)\n if resp.status_code != 200:\n if self.raiseErrors:\n error = NutchException('Unexpected server response: %d' % resp.\n status_code)\n error.status_code = resp.status_code\n raise error\n else:\n warn('Nutch server returned status:', resp.status_code)\n if forceText or 'content-type' not in resp.headers or resp.headers[\n 'content-type'] == 'text/plain':\n if Verbose:\n echo2('Response text:', resp.text)\n return resp.text\n content_type = resp.headers['content-type']\n if content_type == 'application/json' and not forceText:\n if Verbose:\n echo2('Response JSON:', resp.json())\n return resp.json()\n else:\n die('Did not understand server response: %s' % resp.headers)\n",
"role": "user"
},
{
"content": "call",
"role": "assistant"
}
] |
def x(self, cid, configData):
configArgs = {'configId': cid, 'params': configData, 'force': True}
cid = self.server.call('post', '/config/create', configArgs, forceText=
True, headers=TextAcceptHeader)
new_config = Config(cid, self.server)
return new_config
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cid, configData):\n configArgs = {'configId': cid, 'params': configData, 'force': True}\n cid = self.server.call('post', '/config/create', configArgs, forceText=\n True, headers=TextAcceptHeader)\n new_config = Config(cid, self.server)\n return new_config\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, allJobs=False):
jobs = self.server.call('get', '/job')
return [Job(job['id'], self.server) for job in jobs if allJobs or self.
_job_owned(job)]
|
list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, allJobs=False):\n jobs = self.server.call('get', '/job')\n return [Job(job['id'], self.server) for job in jobs if allJobs or self.\n _job_owned(job)]\n",
"role": "user"
},
{
"content": "list",
"role": "assistant"
}
] |
def x(self, command, **args):
command = command.upper()
if command not in LegalJobs:
warn('Nutch command must be one of: %s' % ', '.join(LegalJobs))
else:
echo2('Starting %s job with args %s' % (command, str(args)))
parameters = self.parameters.copy()
parameters['type'] = command
parameters['crawlId'] = self.crawlId
parameters['confId'] = self.confId
parameters['args'].update(args)
job_info = self.server.call('post', '/job/create', parameters,
JsonAcceptHeader)
job = Job(job_info['id'], self.server)
return job
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command, **args):\n command = command.upper()\n if command not in LegalJobs:\n warn('Nutch command must be one of: %s' % ', '.join(LegalJobs))\n else:\n echo2('Starting %s job with args %s' % (command, str(args)))\n parameters = self.parameters.copy()\n parameters['type'] = command\n parameters['crawlId'] = self.crawlId\n parameters['confId'] = self.confId\n parameters['args'].update(args)\n job_info = self.server.call('post', '/job/create', parameters,\n JsonAcceptHeader)\n job = Job(job_info['id'], self.server)\n return job\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, seed=None, urlDir=None, **args):
if seed:
if urlDir and urlDir != seed.seedPath:
raise NutchException("Can't specify both seed and urlDir")
urlDir = seed.seedPath
elif urlDir:
pass
else:
raise NutchException('Must specify seed or urlDir')
args['url_dir'] = urlDir
return self.create('INJECT', **args)
|
inject
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, seed=None, urlDir=None, **args):\n if seed:\n if urlDir and urlDir != seed.seedPath:\n raise NutchException(\"Can't specify both seed and urlDir\")\n urlDir = seed.seedPath\n elif urlDir:\n pass\n else:\n raise NutchException('Must specify seed or urlDir')\n args['url_dir'] = urlDir\n return self.create('INJECT', **args)\n",
"role": "user"
},
{
"content": "inject",
"role": "assistant"
}
] |
def x(self, sid, seedList):
seedUrl = lambda uid, url: {'id': uid, 'url': url}
if not isinstance(seedList, tuple):
seedList = seedList,
seedListData = {'id': '12345', 'name': sid, 'seedUrls': [seedUrl(uid,
url) for uid, url in enumerate(seedList)]}
seedPath = self.server.call('post', '/seed/create', seedListData,
TextAcceptHeader)
new_seed = Seed(sid, seedPath, self.server)
return new_seed
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sid, seedList):\n seedUrl = lambda uid, url: {'id': uid, 'url': url}\n if not isinstance(seedList, tuple):\n seedList = seedList,\n seedListData = {'id': '12345', 'name': sid, 'seedUrls': [seedUrl(uid,\n url) for uid, url in enumerate(seedList)]}\n seedPath = self.server.call('post', '/seed/create', seedListData,\n TextAcceptHeader)\n new_seed = Seed(sid, seedPath, self.server)\n return new_seed\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, sid, filename):
urls = []
with open(filename) as f:
for line in f:
for url in line.split():
urls.append(url)
return self.create(sid, tuple(urls))
|
createFromFile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sid, filename):\n urls = []\n with open(filename) as f:\n for line in f:\n for url in line.split():\n urls.append(url)\n return self.create(sid, tuple(urls))\n",
"role": "user"
},
{
"content": "createFromFile",
"role": "assistant"
}
] |
def x(self, job, nextRound=True):
jobInfo = job.info()
assert jobInfo['state'] == 'FINISHED'
roundEnd = False
if jobInfo['type'] == 'INJECT':
nextCommand = 'GENERATE'
elif jobInfo['type'] == 'GENERATE':
nextCommand = 'FETCH'
elif jobInfo['type'] == 'FETCH':
nextCommand = 'PARSE'
elif jobInfo['type'] == 'PARSE':
nextCommand = 'UPDATEDB'
elif jobInfo['type'] == 'UPDATEDB':
nextCommand = 'INVERTLINKS'
elif jobInfo['type'] == 'INVERTLINKS':
nextCommand = 'DEDUP'
elif jobInfo['type'] == 'DEDUP':
if self.enable_index:
nextCommand = 'INDEX'
else:
roundEnd = True
elif jobInfo['type'] == 'INDEX':
roundEnd = True
else:
raise NutchException('Unrecognized job type {}'.format(jobInfo['type'])
)
if roundEnd:
if nextRound and self.currentRound < self.totalRounds:
nextCommand = 'GENERATE'
self.currentRound += 1
else:
return None
return self.jobClient.create(nextCommand)
|
nextJob
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job, nextRound=True):\n jobInfo = job.info()\n assert jobInfo['state'] == 'FINISHED'\n roundEnd = False\n if jobInfo['type'] == 'INJECT':\n nextCommand = 'GENERATE'\n elif jobInfo['type'] == 'GENERATE':\n nextCommand = 'FETCH'\n elif jobInfo['type'] == 'FETCH':\n nextCommand = 'PARSE'\n elif jobInfo['type'] == 'PARSE':\n nextCommand = 'UPDATEDB'\n elif jobInfo['type'] == 'UPDATEDB':\n nextCommand = 'INVERTLINKS'\n elif jobInfo['type'] == 'INVERTLINKS':\n nextCommand = 'DEDUP'\n elif jobInfo['type'] == 'DEDUP':\n if self.enable_index:\n nextCommand = 'INDEX'\n else:\n roundEnd = True\n elif jobInfo['type'] == 'INDEX':\n roundEnd = True\n else:\n raise NutchException('Unrecognized job type {}'.format(jobInfo['type'])\n )\n if roundEnd:\n if nextRound and self.currentRound < self.totalRounds:\n nextCommand = 'GENERATE'\n self.currentRound += 1\n else:\n return None\n return self.jobClient.create(nextCommand)\n",
"role": "user"
},
{
"content": "nextJob",
"role": "assistant"
}
] |
def x(self, nextRound=True):
currentJob = self.currentJob
if currentJob is None:
return currentJob
jobInfo = currentJob.info()
if jobInfo['state'] == 'RUNNING':
return currentJob
elif jobInfo['state'] == 'FINISHED':
nextJob = self._nextJob(currentJob, nextRound)
self.currentJob = nextJob
return nextJob
else:
error = NutchCrawlException('Unexpected job state: {}'.format(
jobInfo['state']))
error.current_job = currentJob
raise NutchCrawlException
|
progress
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, nextRound=True):\n currentJob = self.currentJob\n if currentJob is None:\n return currentJob\n jobInfo = currentJob.info()\n if jobInfo['state'] == 'RUNNING':\n return currentJob\n elif jobInfo['state'] == 'FINISHED':\n nextJob = self._nextJob(currentJob, nextRound)\n self.currentJob = nextJob\n return nextJob\n else:\n error = NutchCrawlException('Unexpected job state: {}'.format(\n jobInfo['state']))\n error.current_job = currentJob\n raise NutchCrawlException\n",
"role": "user"
},
{
"content": "progress",
"role": "assistant"
}
] |
def x(self):
finishedJobs = []
if self.currentJob is None:
self.currentJob = self.jobClient.create('GENERATE')
activeJob = self.progress(nextRound=False)
while activeJob:
oldJob = activeJob
activeJob = self.progress(nextRound=False)
if oldJob and oldJob != activeJob:
finishedJobs.append(oldJob)
sleep(self.sleepTime)
self.currentRound += 1
return finishedJobs
|
nextRound
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n finishedJobs = []\n if self.currentJob is None:\n self.currentJob = self.jobClient.create('GENERATE')\n activeJob = self.progress(nextRound=False)\n while activeJob:\n oldJob = activeJob\n activeJob = self.progress(nextRound=False)\n if oldJob and oldJob != activeJob:\n finishedJobs.append(oldJob)\n sleep(self.sleepTime)\n self.currentRound += 1\n return finishedJobs\n",
"role": "user"
},
{
"content": "nextRound",
"role": "assistant"
}
] |
def x(self):
finishedRounds = [self.nextRound()]
while self.currentRound < self.totalRounds:
finishedRounds.append(self.nextRound())
return finishedRounds
|
waitAll
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n finishedRounds = [self.nextRound()]\n while self.currentRound < self.totalRounds:\n finishedRounds.append(self.nextRound())\n return finishedRounds\n",
"role": "user"
},
{
"content": "waitAll",
"role": "assistant"
}
] |
def x(self, crawlId=None):
crawlId = crawlId if crawlId else defaultCrawlId()
return JobClient(self.server, crawlId, self.confId)
|
Jobs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, crawlId=None):\n crawlId = crawlId if crawlId else defaultCrawlId()\n return JobClient(self.server, crawlId, self.confId)\n",
"role": "user"
},
{
"content": "Jobs",
"role": "assistant"
}
] |
def x(self, seed, seedClient=None, jobClient=None, rounds=1, index=True):
if seedClient is None:
seedClient = self.Seeds()
if jobClient is None:
jobClient = self.Jobs()
if type(seed) != Seed:
seed = seedClient.create(jobClient.crawlId + '_seeds', seed)
return CrawlClient(self.server, seed, jobClient, rounds, index)
|
Crawl
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, seed, seedClient=None, jobClient=None, rounds=1, index=True):\n if seedClient is None:\n seedClient = self.Seeds()\n if jobClient is None:\n jobClient = self.Jobs()\n if type(seed) != Seed:\n seed = seedClient.create(jobClient.crawlId + '_seeds', seed)\n return CrawlClient(self.server, seed, jobClient, rounds, index)\n",
"role": "user"
},
{
"content": "Crawl",
"role": "assistant"
}
] |
def x(line):
_line = line.strip().split()
log = {}
log['client_server'] = _line[5].split(':')[0].strip()
log['client_port'] = _line[5].split(':')[1].strip()
_timestamp = re.findall('\\[(.*?)\\]', _line[6])[0]
log['timestamp'] = datetime.datetime.strptime(_timestamp,
'%d/%b/%Y:%H:%M:%S.%f').isoformat()
log['front_end'] = _line[7].strip()
log['backend'] = _line[8].strip()
log['Tq'] = float(_line[9].split('/')[0].strip())
log['Tw'] = float(_line[9].split('/')[1].strip())
log['Tc'] = float(_line[9].split('/')[2].strip())
log['Tr'] = float(_line[9].split('/')[3].strip())
log['resp_time'] = float(_line[9].split('/')[-1].strip())
log['status'] = _line[10].strip()
log['bytes_read'] = float(_line[11].strip())
log['_headers'] = re.findall('{(.*)}', line)
log['haproxy_server'] = _line[3].strip()
log['method'] = _line[-3].strip('"').strip()
log['_api'] = _line[-2].strip()
log['retries'] = int(_line[15].split('/')[-1].strip())
log['actconn'] = int(_line[15].split('/')[0].strip())
log['feconn'] = int(_line[15].split('/')[1].strip())
log['beconn'] = int(_line[15].split('/')[-2].strip())
log['srv_conn'] = int(_line[15].split('/')[-3].strip())
log['srv_queue'] = int(_line[16].split('/')[0].strip())
log['backend_queue'] = int(_line[16].split('/')[1].strip())
return dict(data=log, event='haproxy_event', timestamp=log.get(
'timestamp'), type='metric')
|
haproxy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(line):\n _line = line.strip().split()\n log = {}\n log['client_server'] = _line[5].split(':')[0].strip()\n log['client_port'] = _line[5].split(':')[1].strip()\n _timestamp = re.findall('\\\\[(.*?)\\\\]', _line[6])[0]\n log['timestamp'] = datetime.datetime.strptime(_timestamp,\n '%d/%b/%Y:%H:%M:%S.%f').isoformat()\n log['front_end'] = _line[7].strip()\n log['backend'] = _line[8].strip()\n log['Tq'] = float(_line[9].split('/')[0].strip())\n log['Tw'] = float(_line[9].split('/')[1].strip())\n log['Tc'] = float(_line[9].split('/')[2].strip())\n log['Tr'] = float(_line[9].split('/')[3].strip())\n log['resp_time'] = float(_line[9].split('/')[-1].strip())\n log['status'] = _line[10].strip()\n log['bytes_read'] = float(_line[11].strip())\n log['_headers'] = re.findall('{(.*)}', line)\n log['haproxy_server'] = _line[3].strip()\n log['method'] = _line[-3].strip('\"').strip()\n log['_api'] = _line[-2].strip()\n log['retries'] = int(_line[15].split('/')[-1].strip())\n log['actconn'] = int(_line[15].split('/')[0].strip())\n log['feconn'] = int(_line[15].split('/')[1].strip())\n log['beconn'] = int(_line[15].split('/')[-2].strip())\n log['srv_conn'] = int(_line[15].split('/')[-3].strip())\n log['srv_queue'] = int(_line[16].split('/')[0].strip())\n log['backend_queue'] = int(_line[16].split('/')[1].strip())\n return dict(data=log, event='haproxy_event', timestamp=log.get(\n 'timestamp'), type='metric')\n",
"role": "user"
},
{
"content": "haproxy",
"role": "assistant"
}
] |
def x(line):
log = json.loads(line)
timestamp_iso = datetime.datetime.utcfromtimestamp(float(log['timestamp'])
).isoformat()
log.update({'timestamp': timestamp_iso})
if '-' in log.get('upstream_response_time'):
log['upstream_response_time'] = 0.0
log['body_bytes_sent'] = float(log['body_bytes_sent'])
log['request_time'] = float(log['request_time'])
log['upstream_response_time'] = float(log['upstream_response_time'])
return dict(timestamp=log.get('timestamp', ' '), data=log, type=
'metric', event='nginx_event')
|
nginx_access
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(line):\n log = json.loads(line)\n timestamp_iso = datetime.datetime.utcfromtimestamp(float(log['timestamp'])\n ).isoformat()\n log.update({'timestamp': timestamp_iso})\n if '-' in log.get('upstream_response_time'):\n log['upstream_response_time'] = 0.0\n log['body_bytes_sent'] = float(log['body_bytes_sent'])\n log['request_time'] = float(log['request_time'])\n log['upstream_response_time'] = float(log['upstream_response_time'])\n return dict(timestamp=log.get('timestamp', ' '), data=log, type=\n 'metric', event='nginx_event')\n",
"role": "user"
},
{
"content": "nginx_access",
"role": "assistant"
}
] |
def x(line):
keys = ['timestamp', 'severity', 'component', 'context', 'message']
values = re.split('\\s+', line, maxsplit=4)
mongodb_log = dict(zip(keys, values))
return dict(timestamp=values[0], data=mongodb_log, type='log')
|
mongodb
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(line):\n keys = ['timestamp', 'severity', 'component', 'context', 'message']\n values = re.split('\\\\s+', line, maxsplit=4)\n mongodb_log = dict(zip(keys, values))\n return dict(timestamp=values[0], data=mongodb_log, type='log')\n",
"role": "user"
},
{
"content": "mongodb",
"role": "assistant"
}
] |
def x(line):
data = {}
log = re.findall('^(\\[\\d+/\\w+/\\d+ \\d+:\\d+:\\d+\\].*)', line)
if len(log) == 1:
data['timestamp'] = datetime.datetime.strptime(re.findall(
'(\\d+/\\w+/\\d+ \\d+:\\d+:\\d+)', log[0])[0], '%d/%b/%Y %H:%M:%S'
).isoformat()
data['loglevel'] = re.findall('[A-Z]+', log[0])[1]
data['logname'] = re.findall('\\[\\D+.\\w+:\\d+\\]', log[0])[0]
message = re.findall('\\{.+\\}', log[0])
try:
if len(message) > 0:
message = json.loads(message[0])
else:
message = re.split(']', log[0])
message = ''.join(message[2:])
except ValueError:
message = re.split(']', log[0])
message = ''.join(message[2:])
data['message'] = message
return dict(timestamp=data['timestamp'], level=data['loglevel'],
data=data)
else:
return dict(timestamp=datetime.datetime.isoformat(datetime.datetime
.utcnow()), data={raw: line})
|
django
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(line):\n data = {}\n log = re.findall('^(\\\\[\\\\d+/\\\\w+/\\\\d+ \\\\d+:\\\\d+:\\\\d+\\\\].*)', line)\n if len(log) == 1:\n data['timestamp'] = datetime.datetime.strptime(re.findall(\n '(\\\\d+/\\\\w+/\\\\d+ \\\\d+:\\\\d+:\\\\d+)', log[0])[0], '%d/%b/%Y %H:%M:%S'\n ).isoformat()\n data['loglevel'] = re.findall('[A-Z]+', log[0])[1]\n data['logname'] = re.findall('\\\\[\\\\D+.\\\\w+:\\\\d+\\\\]', log[0])[0]\n message = re.findall('\\\\{.+\\\\}', log[0])\n try:\n if len(message) > 0:\n message = json.loads(message[0])\n else:\n message = re.split(']', log[0])\n message = ''.join(message[2:])\n except ValueError:\n message = re.split(']', log[0])\n message = ''.join(message[2:])\n data['message'] = message\n return dict(timestamp=data['timestamp'], level=data['loglevel'],\n data=data)\n else:\n return dict(timestamp=datetime.datetime.isoformat(datetime.datetime\n .utcnow()), data={raw: line})\n",
"role": "user"
},
{
"content": "django",
"role": "assistant"
}
] |
def x(line):
log = json.loads(line)
return dict(timestamp=log['timestamp'], data=log, id=log['id'], type=
log['type'], level=log['level'], event=log['event'])
|
basescript
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(line):\n log = json.loads(line)\n return dict(timestamp=log['timestamp'], data=log, id=log['id'], type=\n log['type'], level=log['level'], event=log['event'])\n",
"role": "user"
},
{
"content": "basescript",
"role": "assistant"
}
] |
def x(line):
elasticsearch_log = line
actuallog = re.findall(
'(\\[\\d+\\-+\\d+\\d+\\-+\\d+\\w+\\d+:\\d+:\\d+,+\\d\\d\\d+\\].*)',
elasticsearch_log)
if len(actuallog) == 1:
keys = ['timestamp', 'level', 'message', 'plugin',
'garbage_collector', 'gc_count', 'query_time_ms', 'resp_time_ms']
values = re.findall('\\[(.*?)\\]', actuallog[0])
for index, i in enumerate(values):
if not isinstance(i, str):
continue
if len(re.findall('.*ms$', i)) > 0 and 'ms' in re.findall('.*ms$',
i)[0]:
num = re.split('ms', i)[0]
values[index] = float(num)
continue
if len(re.findall('.*s$', i)) > 0 and 's' in re.findall('.*s$', i)[
0]:
num = re.split('s', i)[0]
values[index] = float(num) * 1000
continue
data = dict(zip(keys, values))
if 'level' in data and data['level'][-1] == ' ':
data['level'] = data['level'][:-1]
if 'gc_count' in data:
data['gc_count'] = float(data['gc_count'])
event = data['message']
level = values[1]
timestamp = values[0]
return dict(timestamp=timestamp, level=level, type='metric', data=
data, event=event)
else:
return dict(timestamp=datetime.datetime.isoformat(datetime.datetime
.now()), data={'raw': line})
|
elasticsearch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(line):\n elasticsearch_log = line\n actuallog = re.findall(\n '(\\\\[\\\\d+\\\\-+\\\\d+\\\\d+\\\\-+\\\\d+\\\\w+\\\\d+:\\\\d+:\\\\d+,+\\\\d\\\\d\\\\d+\\\\].*)',\n elasticsearch_log)\n if len(actuallog) == 1:\n keys = ['timestamp', 'level', 'message', 'plugin',\n 'garbage_collector', 'gc_count', 'query_time_ms', 'resp_time_ms']\n values = re.findall('\\\\[(.*?)\\\\]', actuallog[0])\n for index, i in enumerate(values):\n if not isinstance(i, str):\n continue\n if len(re.findall('.*ms$', i)) > 0 and 'ms' in re.findall('.*ms$',\n i)[0]:\n num = re.split('ms', i)[0]\n values[index] = float(num)\n continue\n if len(re.findall('.*s$', i)) > 0 and 's' in re.findall('.*s$', i)[\n 0]:\n num = re.split('s', i)[0]\n values[index] = float(num) * 1000\n continue\n data = dict(zip(keys, values))\n if 'level' in data and data['level'][-1] == ' ':\n data['level'] = data['level'][:-1]\n if 'gc_count' in data:\n data['gc_count'] = float(data['gc_count'])\n event = data['message']\n level = values[1]\n timestamp = values[0]\n return dict(timestamp=timestamp, level=level, type='metric', data=\n data, event=event)\n else:\n return dict(timestamp=datetime.datetime.isoformat(datetime.datetime\n .now()), data={'raw': line})\n",
"role": "user"
},
{
"content": "elasticsearch",
"role": "assistant"
}
] |
def x(line):
match_result = []
for p in LOG_BEGIN_PATTERN:
if re.match(p, line) != None:
return False
return True
|
elasticsearch_ispartial_log
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(line):\n match_result = []\n for p in LOG_BEGIN_PATTERN:\n if re.match(p, line) != None:\n return False\n return True\n",
"role": "user"
},
{
"content": "elasticsearch_ispartial_log",
"role": "assistant"
}
] |
def x(self, attr, default=None):
attrs = self.body.get('attributes') or {}
return attrs.get(attr, default)
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attr, default=None):\n attrs = self.body.get('attributes') or {}\n return attrs.get(attr, default)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, cat):
return self._get_from_local_cache(cat) or self._get_from_cache(cat
) or self._get_from_db(cat)
|
get_all
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cat):\n return self._get_from_local_cache(cat) or self._get_from_cache(cat\n ) or self._get_from_db(cat)\n",
"role": "user"
},
{
"content": "get_all",
"role": "assistant"
}
] |
def x(self, catalog, key):
lang = self._get_lang()
keylist = self.get_all(catalog)
self.ITEM_CACHE[lang][catalog] = dict([(i['value'], i['name']) for i in
keylist])
return self.ITEM_CACHE[lang][catalog].get(key)
|
fill_get_item_cache
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, catalog, key):\n lang = self._get_lang()\n keylist = self.get_all(catalog)\n self.ITEM_CACHE[lang][catalog] = dict([(i['value'], i['name']) for i in\n keylist])\n return self.ITEM_CACHE[lang][catalog].get(key)\n",
"role": "user"
},
{
"content": "fill_get_item_cache",
"role": "assistant"
}
] |
def x(self, host, port, debug=True, validate_requests=True):
if debug:
logging.basicConfig(level=logging.DEBUG)
app = self.create_wsgi_app(validate_requests)
run_simple(host, port, app, use_reloader=debug, use_debugger=debug)
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, host, port, debug=True, validate_requests=True):\n if debug:\n logging.basicConfig(level=logging.DEBUG)\n app = self.create_wsgi_app(validate_requests)\n run_simple(host, port, app, use_reloader=debug, use_debugger=debug)\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self, body):
req_type = body.get('request', {}).get('type')
session_obj = body.get('session')
session = Session(session_obj) if session_obj else None
if req_type == 'LaunchRequest':
return self.launch_fn(session)
elif req_type == 'IntentRequest':
intent = body['request']['intent']['name']
intent_fn = self.intent_map.get(intent, self.unknown_intent_fn)
slots = {slot['name']: slot.get('value') for _, slot in body[
'request']['intent'].get('slots', {}).items()}
arity = intent_fn.__code__.co_argcount
if arity == 2:
return intent_fn(slots, session)
return intent_fn()
elif req_type == 'SessionEndedRequest':
return self.session_end_fn()
log.error('invalid request type: %s', req_type)
raise ValueError('bad request: %s', body)
|
dispatch_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, body):\n req_type = body.get('request', {}).get('type')\n session_obj = body.get('session')\n session = Session(session_obj) if session_obj else None\n if req_type == 'LaunchRequest':\n return self.launch_fn(session)\n elif req_type == 'IntentRequest':\n intent = body['request']['intent']['name']\n intent_fn = self.intent_map.get(intent, self.unknown_intent_fn)\n slots = {slot['name']: slot.get('value') for _, slot in body[\n 'request']['intent'].get('slots', {}).items()}\n arity = intent_fn.__code__.co_argcount\n if arity == 2:\n return intent_fn(slots, session)\n return intent_fn()\n elif req_type == 'SessionEndedRequest':\n return self.session_end_fn()\n log.error('invalid request type: %s', req_type)\n raise ValueError('bad request: %s', body)\n",
"role": "user"
},
{
"content": "dispatch_request",
"role": "assistant"
}
] |
def x(self, intent_name):
def x(func):
arity = func.__code__.co_argcount
if arity not in [0, 2]:
raise ValueError('expected 0 or 2 argument function')
self.intent_map[intent_name] = func
return func
return _decorator
|
intent
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, intent_name):\n\n def x(func):\n arity = func.__code__.co_argcount\n if arity not in [0, 2]:\n raise ValueError('expected 0 or 2 argument function')\n self.intent_map[intent_name] = func\n return func\n return _decorator\n",
"role": "user"
},
{
"content": "intent",
"role": "assistant"
}
] |
def x(self, raw_password):
self.password = pbkdf2_sha512.encrypt(raw_password, rounds=10000,
salt_size=10)
|
set_password
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, raw_password):\n self.password = pbkdf2_sha512.encrypt(raw_password, rounds=10000,\n salt_size=10)\n",
"role": "user"
},
{
"content": "set_password",
"role": "assistant"
}
] |
def x(self):
if self.password and not self.password.startswith('$pbkdf2'):
self.set_password(self.password)
|
encrypt_password
|
[
{
"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.password and not self.password.startswith('$pbkdf2'):\n self.set_password(self.password)\n",
"role": "user"
},
{
"content": "encrypt_password",
"role": "assistant"
}
] |
def x(self, title, message, typ=1, url=None, sender=None):
self.created_channels.channel.add_message(channel_key=self.prv_exchange,
body=message, title=title, typ=typ, url=url, sender=sender,
receiver=self)
|
send_notification
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, title, message, typ=1, url=None, sender=None):\n self.created_channels.channel.add_message(channel_key=self.prv_exchange,\n body=message, title=title, typ=typ, url=url, sender=sender,\n receiver=self)\n",
"role": "user"
},
{
"content": "send_notification",
"role": "assistant"
}
] |
def x(self, data, cmd=None, via_queue=None):
mq_channel = self._connect_mq()
if cmd:
data['cmd'] = cmd
if via_queue:
mq_channel.basic_publish(exchange='', routing_key=via_queue, body=
json.dumps(data))
else:
mq_channel.basic_publish(exchange=self.prv_exchange, routing_key='',
body=json.dumps(data))
|
send_client_cmd
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, cmd=None, via_queue=None):\n mq_channel = self._connect_mq()\n if cmd:\n data['cmd'] = cmd\n if via_queue:\n mq_channel.basic_publish(exchange='', routing_key=via_queue, body=\n json.dumps(data))\n else:\n mq_channel.basic_publish(exchange=self.prv_exchange, routing_key='',\n body=json.dumps(data))\n",
"role": "user"
},
{
"content": "send_client_cmd",
"role": "assistant"
}
] |
def x(self, offset):
if self._shifts:
if 0 <= offset < len(self._shifts):
current_pos = self._file.tell()
new_pos = self._shifts[offset]
if current_pos != new_pos:
if current_pos == self._shifts[-1]:
self._data = self.__reader()
self.__file = iter(self._file.readline, '')
self._file.seek(0)
next(self._data)
if offset:
self._file.seek(new_pos)
else:
if not self.__already_seeked:
if self._shifts[0] < current_pos:
self._data.send(True)
self.__already_seeked = True
self._file.seek(new_pos)
else:
raise IndexError('invalid offset')
else:
raise self._implement_error
|
seek
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, offset):\n if self._shifts:\n if 0 <= offset < len(self._shifts):\n current_pos = self._file.tell()\n new_pos = self._shifts[offset]\n if current_pos != new_pos:\n if current_pos == self._shifts[-1]:\n self._data = self.__reader()\n self.__file = iter(self._file.readline, '')\n self._file.seek(0)\n next(self._data)\n if offset:\n self._file.seek(new_pos)\n else:\n if not self.__already_seeked:\n if self._shifts[0] < current_pos:\n self._data.send(True)\n self.__already_seeked = True\n self._file.seek(new_pos)\n else:\n raise IndexError('invalid offset')\n else:\n raise self._implement_error\n",
"role": "user"
},
{
"content": "seek",
"role": "assistant"
}
] |
def x(self):
if self._shifts:
t = self._file.tell()
if t == self._shifts[0]:
return 0
elif t == self._shifts[-1]:
return len(self._shifts) - 1
elif t in self._shifts:
return bisect_left(self._shifts, t)
else:
return bisect_left(self._shifts, t) - 1
raise self._implement_error
|
tell
|
[
{
"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._shifts:\n t = self._file.tell()\n if t == self._shifts[0]:\n return 0\n elif t == self._shifts[-1]:\n return len(self._shifts) - 1\n elif t in self._shifts:\n return bisect_left(self._shifts, t)\n else:\n return bisect_left(self._shifts, t) - 1\n raise self._implement_error\n",
"role": "user"
},
{
"content": "tell",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.