source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, key, ttl, value, replace=False):
command = [b'RESTORE', key, ascii(ttl).encode('ascii'), value]
if replace:
command.append(b'REPLACE')
return self._execute(command, b'OK')
| restore | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, ttl, value, replace=False):\n command = [b'RESTORE', key, ascii(ttl).encode('ascii'), value]\n if replace:\n command.append(b'REPLACE')\n return self._execute(command, b'OK')\n",
"role": "user"
},
{
"content": "restore",
"role": "assistant"
}
] |
def x(self, cursor=0, pattern=None, count=None):
def x(value):
return int(value[0]), value[1]
command = [b'SCAN', ascii(cursor).encode('ascii')]
if pattern:
command += [b'MATCH', pattern]
if count:
command += [b'COUNT', ascii(count).encode('ascii')]
return self._execute(command, format_callback=format_response)
| scan | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cursor=0, pattern=None, count=None):\n\n def x(value):\n return int(value[0]), value[1]\n command = [b'SCAN', ascii(cursor).encode('ascii')]\n if pattern:\n command += [b'MATCH', pattern]\n if count:\n command += [b'COUNT', ascii(count).encode('ascii')]\n return self._execute(command, format_callback=format_response)\n",
"role": "user"
},
{
"content": "scan",
"role": "assistant"
}
] |
def x(self, key, by=None, external=None, offset=0, limit=None, order=None,
alpha=False, store_as=None):
if order and order not in [b'ASC', b'DESC', 'ASC', 'DESC']:
raise ValueError('invalid sort order "{}"'.format(order))
command = [b'SORT', key]
if by:
command += [b'BY', by]
if external and isinstance(external, list):
for entry in external:
command += [b'GET', entry]
elif external:
command += [b'GET', external]
if limit:
command += [b'LIMIT', ascii(offset).encode('utf-8'), ascii(limit).
encode('utf-8')]
if order:
command.append(order)
if alpha is True:
command.append(b'ALPHA')
if store_as:
command += [b'STORE', store_as]
return self._execute(command)
| sort | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, by=None, external=None, offset=0, limit=None, order=None,\n alpha=False, store_as=None):\n if order and order not in [b'ASC', b'DESC', 'ASC', 'DESC']:\n raise ValueError('invalid sort order \"{}\"'.format(order))\n command = [b'SORT', key]\n if by:\n command += [b'BY', by]\n if external and isinstance(external, list):\n for entry in external:\n command += [b'GET', entry]\n elif external:\n command += [b'GET', external]\n if limit:\n command += [b'LIMIT', ascii(offset).encode('utf-8'), ascii(limit).\n encode('utf-8')]\n if order:\n command.append(order)\n if alpha is True:\n command.append(b'ALPHA')\n if store_as:\n command += [b'STORE', store_as]\n return self._execute(command)\n",
"role": "user"
},
{
"content": "sort",
"role": "assistant"
}
] |
def x(self, num_slaves, timeout=0):
command = [b'WAIT', ascii(num_slaves).encode('ascii'), ascii(timeout).
encode('ascii')]
return self._execute(command)
| wait | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, num_slaves, timeout=0):\n command = [b'WAIT', ascii(num_slaves).encode('ascii'), ascii(timeout).\n encode('ascii')]\n return self._execute(command)\n",
"role": "user"
},
{
"content": "wait",
"role": "assistant"
}
] |
def x(profile_dir, exception_callback=None):
global profiled_thread_enabled, Thread, Process
if os.path.isdir(profile_dir):
_Profiler.profile_dir = profile_dir
else:
raise OSError('%s does not exist' % profile_dir)
_Profiler.exception_callback = exception_callback
Thread = threading.Thread = ProfiledThread
Process = multiprocessing.Process = ProfiledProcess
profiled_thread_enabled = True
| enable_thread_profiling | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(profile_dir, exception_callback=None):\n global profiled_thread_enabled, Thread, Process\n if os.path.isdir(profile_dir):\n _Profiler.profile_dir = profile_dir\n else:\n raise OSError('%s does not exist' % profile_dir)\n _Profiler.exception_callback = exception_callback\n Thread = threading.Thread = ProfiledThread\n Process = multiprocessing.Process = ProfiledProcess\n profiled_thread_enabled = True\n",
"role": "user"
},
{
"content": "enable_thread_profiling",
"role": "assistant"
}
] |
def x(exception_callback=None):
global logged_thread_enabled, Thread
LoggedThread.exception_callback = exception_callback
Thread = threading.Thread = LoggedThread
logged_thread_enabled = True
| enable_thread_logging | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(exception_callback=None):\n global logged_thread_enabled, Thread\n LoggedThread.exception_callback = exception_callback\n Thread = threading.Thread = LoggedThread\n logged_thread_enabled = True\n",
"role": "user"
},
{
"content": "enable_thread_logging",
"role": "assistant"
}
] |
def x(request, obj_id):
obj = Image.objects.get(pk=obj_id)
if request.method == 'POST':
return post(request, obj)
elif request.method == 'PUT':
getPutData(request)
return put(request, obj)
elif request.method == 'DELETE':
getPutData(request)
return delete(request, obj)
| image | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, obj_id):\n obj = Image.objects.get(pk=obj_id)\n if request.method == 'POST':\n return post(request, obj)\n elif request.method == 'PUT':\n getPutData(request)\n return put(request, obj)\n elif request.method == 'DELETE':\n getPutData(request)\n return delete(request, obj)\n",
"role": "user"
},
{
"content": "image",
"role": "assistant"
}
] |
def x(request, obj_id):
obj = Video.objects.get(pk=obj_id)
if request.method == 'POST':
return post(request, obj)
elif request.method == 'PUT':
getPutData(request)
return put(request, obj)
elif request.method == 'DELETE':
getPutData(request)
return delete(request, obj)
| video | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, obj_id):\n obj = Video.objects.get(pk=obj_id)\n if request.method == 'POST':\n return post(request, obj)\n elif request.method == 'PUT':\n getPutData(request)\n return put(request, obj)\n elif request.method == 'DELETE':\n getPutData(request)\n return delete(request, obj)\n",
"role": "user"
},
{
"content": "video",
"role": "assistant"
}
] |
def x(self):
from aiida.common.exceptions import InvalidOperation
from aiida.common import aiidalogger
from aiida.backends.djsite.utils import get_dblogger_extra
import ase, ase.io
parserlogger = aiidalogger.getChild('aseparser')
logger_extra = get_dblogger_extra(self._calc)
successful = True
state = self._calc.get_state()
if state != calc_states.PARSING:
raise InvalidOperation('Calculation not in {} state'.format(
calc_states.PARSING))
out_folder = self._calc.get_retrieved_node()
list_of_files = out_folder.get_folder_list()
if not self._calc._OUTPUT_FILE_NAME in list_of_files:
successful = False
parserlogger.error('Standard output not found', extra=logger_extra)
return successful, ()
has_out_atoms = (True if self._calc._output_aseatoms in list_of_files else
False)
if has_out_atoms:
out_atoms = ase.io.read(out_folder.get_abs_path(self._calc.
_output_aseatoms))
out_structure = StructureData().set_ase(out_atoms)
json_outfile = out_folder.get_abs_path(self._calc._OUTPUT_FILE_NAME)
with open(json_outfile, 'r') as f:
json_params = json.load(f)
dictionary_array = {}
for k, v in list(json_params.iteritems()):
if isinstance(v, (list, tuple)):
dictionary_array[k] = json_params.pop(k)
warnings = []
with open(out_folder.get_abs_path(self._calc._SCHED_ERROR_FILE)) as f:
errors = f.read()
if errors:
warnings = [errors]
json_params['warnings'] = warnings
new_nodes_list = []
if dictionary_array:
array_data = ArrayData()
for k, v in dictionary_array.iteritems():
array_data.set_array(k, numpy.array(v))
new_nodes_list.append((self._outarray_name, array_data))
if json_params:
parameter_data = ParameterData(dict=json_params)
new_nodes_list.append((self._outdict_name, parameter_data))
if has_out_atoms:
structure_data = StructureData()
new_nodes_list.append((self._outstruc_name, structure_data))
return successful, new_nodes_list
| parse_from_calc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from aiida.common.exceptions import InvalidOperation\n from aiida.common import aiidalogger\n from aiida.backends.djsite.utils import get_dblogger_extra\n import ase, ase.io\n parserlogger = aiidalogger.getChild('aseparser')\n logger_extra = get_dblogger_extra(self._calc)\n successful = True\n state = self._calc.get_state()\n if state != calc_states.PARSING:\n raise InvalidOperation('Calculation not in {} state'.format(\n calc_states.PARSING))\n out_folder = self._calc.get_retrieved_node()\n list_of_files = out_folder.get_folder_list()\n if not self._calc._OUTPUT_FILE_NAME in list_of_files:\n successful = False\n parserlogger.error('Standard output not found', extra=logger_extra)\n return successful, ()\n has_out_atoms = (True if self._calc._output_aseatoms in list_of_files else\n False)\n if has_out_atoms:\n out_atoms = ase.io.read(out_folder.get_abs_path(self._calc.\n _output_aseatoms))\n out_structure = StructureData().set_ase(out_atoms)\n json_outfile = out_folder.get_abs_path(self._calc._OUTPUT_FILE_NAME)\n with open(json_outfile, 'r') as f:\n json_params = json.load(f)\n dictionary_array = {}\n for k, v in list(json_params.iteritems()):\n if isinstance(v, (list, tuple)):\n dictionary_array[k] = json_params.pop(k)\n warnings = []\n with open(out_folder.get_abs_path(self._calc._SCHED_ERROR_FILE)) as f:\n errors = f.read()\n if errors:\n warnings = [errors]\n json_params['warnings'] = warnings\n new_nodes_list = []\n if dictionary_array:\n array_data = ArrayData()\n for k, v in dictionary_array.iteritems():\n array_data.set_array(k, numpy.array(v))\n new_nodes_list.append((self._outarray_name, array_data))\n if json_params:\n parameter_data = ParameterData(dict=json_params)\n new_nodes_list.append((self._outdict_name, parameter_data))\n if has_out_atoms:\n structure_data = StructureData()\n new_nodes_list.append((self._outstruc_name, structure_data))\n return successful, new_nodes_list\n",
"role": "user"
},
{
"content": "parse_from_calc",
"role": "assistant"
}
] |
def x(self, key, field, value):
return self._execute([b'HSET', key, field, value])
| hset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, field, value):\n return self._execute([b'HSET', key, field, value])\n",
"role": "user"
},
{
"content": "hset",
"role": "assistant"
}
] |
def x(self, key):
def x(value):
return dict(zip(value[::2], value[1::2]))
return self._execute([b'HGETALL', key], format_callback=format_response)
| hgetall | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n\n def x(value):\n return dict(zip(value[::2], value[1::2]))\n return self._execute([b'HGETALL', key], format_callback=format_response)\n",
"role": "user"
},
{
"content": "hgetall",
"role": "assistant"
}
] |
def x(self, key, value_dict):
if not value_dict:
future = concurrent.TracebackFuture()
future.set_result(False)
else:
command = [b'HMSET', key]
command.extend(sum(value_dict.items(), ()))
future = self._execute(command)
return future
| hmset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value_dict):\n if not value_dict:\n future = concurrent.TracebackFuture()\n future.set_result(False)\n else:\n command = [b'HMSET', key]\n command.extend(sum(value_dict.items(), ()))\n future = self._execute(command)\n return future\n",
"role": "user"
},
{
"content": "hmset",
"role": "assistant"
}
] |
def x(self, key, *fields):
def x(val_array):
return dict(zip(fields, val_array))
command = [b'HMGET', key]
command.extend(fields)
return self._execute(command, format_callback=format_response)
| hmget | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, *fields):\n\n def x(val_array):\n return dict(zip(fields, val_array))\n command = [b'HMGET', key]\n command.extend(fields)\n return self._execute(command, format_callback=format_response)\n",
"role": "user"
},
{
"content": "hmget",
"role": "assistant"
}
] |
def x(self, key, *fields):
if not fields:
future = concurrent.TracebackFuture()
future.set_result(0)
else:
future = self._execute([b'HDEL', key] + list(fields))
return future
| hdel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, *fields):\n if not fields:\n future = concurrent.TracebackFuture()\n future.set_result(0)\n else:\n future = self._execute([b'HDEL', key] + list(fields))\n return future\n",
"role": "user"
},
{
"content": "hdel",
"role": "assistant"
}
] |
def x(self, key, field, increment):
return self._execute([b'HINCRBY', key, field, increment],
format_callback=int)
| hincrby | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, field, increment):\n return self._execute([b'HINCRBY', key, field, increment],\n format_callback=int)\n",
"role": "user"
},
{
"content": "hincrby",
"role": "assistant"
}
] |
def x(self, key, field, increment):
return self._execute([b'HINCRBYFLOAT', key, field, increment],
format_callback=float)
| hincrbyfloat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, field, increment):\n return self._execute([b'HINCRBYFLOAT', key, field, increment],\n format_callback=float)\n",
"role": "user"
},
{
"content": "hincrbyfloat",
"role": "assistant"
}
] |
def x(self, key, field, value):
return self._execute([b'HSETNX', key, field, value])
| hsetnx | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, field, value):\n return self._execute([b'HSETNX', key, field, value])\n",
"role": "user"
},
{
"content": "hsetnx",
"role": "assistant"
}
] |
def x(self, repository, snapshot, body, params={}, callback=None, **kwargs):
query_params = 'master_timeout', 'wait_for_completion'
params = self._filter_params(query_params, params)
url = self.mk_url(*['_snapshot', repository, snapshot], **params)
self.client.fetch(self.mk_req(url, body=body, method='PUT', **kwargs),
callback=callback)
| create_snapshot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, repository, snapshot, body, params={}, callback=None, **kwargs):\n query_params = 'master_timeout', 'wait_for_completion'\n params = self._filter_params(query_params, params)\n url = self.mk_url(*['_snapshot', repository, snapshot], **params)\n self.client.fetch(self.mk_req(url, body=body, method='PUT', **kwargs),\n callback=callback)\n",
"role": "user"
},
{
"content": "create_snapshot",
"role": "assistant"
}
] |
def x(self, repository, master_timeout=10, timeout=10, body='', params={},
callback=None, **kwargs):
query_params = 'master_timeout', 'timeout'
params = self._filter_params(query_params, params)
url = self.mk_url(*['_snapshot', repository, '_verify'], **params)
self.client.fetch(self.mk_req(url, body=body, method='POST', **kwargs),
callback=callback)
| verify_repository | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, repository, master_timeout=10, timeout=10, body='', params={},\n callback=None, **kwargs):\n query_params = 'master_timeout', 'timeout'\n params = self._filter_params(query_params, params)\n url = self.mk_url(*['_snapshot', repository, '_verify'], **params)\n self.client.fetch(self.mk_req(url, body=body, method='POST', **kwargs),\n callback=callback)\n",
"role": "user"
},
{
"content": "verify_repository",
"role": "assistant"
}
] |
def x():
parser = optparse.OptionParser()
parser.usage = textwrap.dedent(
""" %prog {--run|--install_key|--dump_config} [options]
SSH command authenticator.
Used to restrict which commands can be run via trusted SSH keys.
"""
)
group = optparse.OptionGroup(parser, 'Run Mode Options',
'These options determine in which mode the authprogs program runs.')
group.add_option('-r', '--run', dest='run', action='store_true', help=
'Act as ssh command authenticator. Use this when calling from authorized_keys.'
)
group.add_option('--dump_config', dest='dump_config', action=
'store_true', help=
'Dump configuration (python format) to standard out and exit.')
group.add_option('--install_key', dest='install_key', help=
'Install the named ssh public key file to authorized_keys.',
metavar='FILE')
parser.add_option_group(group)
group = optparse.OptionGroup(parser, 'Other Options')
group.add_option('--keyname', dest='keyname', help=
'Name for this key, used when matching config blocks.')
group.add_option('--configfile', dest='configfile', help=
'Path to authprogs configuration file. Defaults to ~/.ssh/authprogs.yaml'
, metavar='FILE')
group.add_option('--configdir', dest='configdir', help=
'Path to authprogs configuration directory. Defaults to ~/.ssh/authprogs.d'
, metavar='DIR')
group.add_option('--logfile', dest='logfile', help=
'Write logging info to this file. Defaults to no logging.', metavar
='FILE')
group.add_option('--debug', dest='debug', action='store_true', help=
'Write additional debugging information to --logfile')
group.add_option('--authorized_keys', dest='authorized_keys', default=
os.path.expanduser('~/.ssh/authorized_keys'), help=
'Location of authorized_keys file for --install_key. Defaults to ~/.ssh/authorized_keys'
, metavar='FILE')
parser.add_option_group(group)
opts, args = parser.parse_args()
if args:
sys.exit('authprogs does not accept commandline arguments.')
if not opts.configfile:
cfg = os.path.expanduser('~/.ssh/authprogs.yaml')
if os.path.isfile(cfg):
opts.configfile = cfg
if not opts.configdir:
cfg = os.path.expanduser('~/.ssh/authprogs.d')
if os.path.isdir(cfg):
opts.configdir = cfg
if opts.debug and not opts.logfile:
parser.error('--debug requires use of --logfile')
ap = None
try:
ap = AuthProgs(logfile=opts.logfile, configfile=opts.configfile,
configdir=opts.configdir, debug=opts.debug, keyname=opts.keyname)
if opts.dump_config:
ap.dump_config()
sys.exit(0)
elif opts.install_key:
try:
ap.install_key(opts.install_key, opts.authorized_keys)
sys.stderr.write('Key installed successfully.\n')
sys.exit(0)
except InstallError as err:
sys.stderr.write('Key install failed: %s' % err)
sys.exit(1)
elif opts.run:
ap.exec_command()
sys.exit('authprogs command returned - should never happen.')
else:
parser.error('Not sure what to do. Consider --help')
except SSHEnvironmentError as err:
ap.log('SSHEnvironmentError "%s"\n%s\n' % (err, traceback.format_exc())
)
sys.exit('authprogs: %s' % err)
except ConfigError as err:
ap.log('ConfigError "%s"\n%s\n' % (err, traceback.format_exc()))
sys.exit('authprogs: %s' % err)
except CommandRejected as err:
sys.exit('authprogs: %s' % err)
except Exception as err:
if ap:
ap.log('Unexpected exception: %s\n%s\n' % (err, traceback.
format_exc()))
else:
sys.stderr.write('Unexpected exception: %s\n%s\n' % (err,
traceback.format_exc()))
sys.exit('authprogs experienced an unexpected exception.')
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n parser = optparse.OptionParser()\n parser.usage = textwrap.dedent(\n \"\"\" %prog {--run|--install_key|--dump_config} [options]\n\n SSH command authenticator.\n\n Used to restrict which commands can be run via trusted SSH keys.\n \"\"\"\n )\n group = optparse.OptionGroup(parser, 'Run Mode Options',\n 'These options determine in which mode the authprogs program runs.')\n group.add_option('-r', '--run', dest='run', action='store_true', help=\n 'Act as ssh command authenticator. Use this when calling from authorized_keys.'\n )\n group.add_option('--dump_config', dest='dump_config', action=\n 'store_true', help=\n 'Dump configuration (python format) to standard out and exit.')\n group.add_option('--install_key', dest='install_key', help=\n 'Install the named ssh public key file to authorized_keys.',\n metavar='FILE')\n parser.add_option_group(group)\n group = optparse.OptionGroup(parser, 'Other Options')\n group.add_option('--keyname', dest='keyname', help=\n 'Name for this key, used when matching config blocks.')\n group.add_option('--configfile', dest='configfile', help=\n 'Path to authprogs configuration file. Defaults to ~/.ssh/authprogs.yaml'\n , metavar='FILE')\n group.add_option('--configdir', dest='configdir', help=\n 'Path to authprogs configuration directory. Defaults to ~/.ssh/authprogs.d'\n , metavar='DIR')\n group.add_option('--logfile', dest='logfile', help=\n 'Write logging info to this file. Defaults to no logging.', metavar\n ='FILE')\n group.add_option('--debug', dest='debug', action='store_true', help=\n 'Write additional debugging information to --logfile')\n group.add_option('--authorized_keys', dest='authorized_keys', default=\n os.path.expanduser('~/.ssh/authorized_keys'), help=\n 'Location of authorized_keys file for --install_key. Defaults to ~/.ssh/authorized_keys'\n , metavar='FILE')\n parser.add_option_group(group)\n opts, args = parser.parse_args()\n if args:\n sys.exit('authprogs does not accept commandline arguments.')\n if not opts.configfile:\n cfg = os.path.expanduser('~/.ssh/authprogs.yaml')\n if os.path.isfile(cfg):\n opts.configfile = cfg\n if not opts.configdir:\n cfg = os.path.expanduser('~/.ssh/authprogs.d')\n if os.path.isdir(cfg):\n opts.configdir = cfg\n if opts.debug and not opts.logfile:\n parser.error('--debug requires use of --logfile')\n ap = None\n try:\n ap = AuthProgs(logfile=opts.logfile, configfile=opts.configfile,\n configdir=opts.configdir, debug=opts.debug, keyname=opts.keyname)\n if opts.dump_config:\n ap.dump_config()\n sys.exit(0)\n elif opts.install_key:\n try:\n ap.install_key(opts.install_key, opts.authorized_keys)\n sys.stderr.write('Key installed successfully.\\n')\n sys.exit(0)\n except InstallError as err:\n sys.stderr.write('Key install failed: %s' % err)\n sys.exit(1)\n elif opts.run:\n ap.exec_command()\n sys.exit('authprogs command returned - should never happen.')\n else:\n parser.error('Not sure what to do. Consider --help')\n except SSHEnvironmentError as err:\n ap.log('SSHEnvironmentError \"%s\"\\n%s\\n' % (err, traceback.format_exc())\n )\n sys.exit('authprogs: %s' % err)\n except ConfigError as err:\n ap.log('ConfigError \"%s\"\\n%s\\n' % (err, traceback.format_exc()))\n sys.exit('authprogs: %s' % err)\n except CommandRejected as err:\n sys.exit('authprogs: %s' % err)\n except Exception as err:\n if ap:\n ap.log('Unexpected exception: %s\\n%s\\n' % (err, traceback.\n format_exc()))\n else:\n sys.stderr.write('Unexpected exception: %s\\n%s\\n' % (err,\n traceback.format_exc()))\n sys.exit('authprogs experienced an unexpected exception.')\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(self, error, message):
self.log('raising %s, traceback %s\n' % (error, traceback.format_exc()))
raise error(message)
| raise_and_log_error | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, error, message):\n self.log('raising %s, traceback %s\\n' % (error, traceback.format_exc()))\n raise error(message)\n",
"role": "user"
},
{
"content": "raise_and_log_error",
"role": "assistant"
}
] |
def x(self):
if self.client_ip:
return self.client_ip
try:
client = os.environ.get('SSH_CONNECTION', os.environ.get('SSH_CLIENT'))
self.client_ip = client.split()[0]
self.logdebug('client_ip: %s\n' % self.client_ip)
return self.client_ip
except:
raise SSHEnvironmentError('cannot identify the ssh client IP address')
| get_client_ip | [
{
"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.client_ip:\n return self.client_ip\n try:\n client = os.environ.get('SSH_CONNECTION', os.environ.get('SSH_CLIENT'))\n self.client_ip = client.split()[0]\n self.logdebug('client_ip: %s\\n' % self.client_ip)\n return self.client_ip\n except:\n raise SSHEnvironmentError('cannot identify the ssh client IP address')\n",
"role": "user"
},
{
"content": "get_client_ip",
"role": "assistant"
}
] |
def x(self, rule):
keynames = rule.get('keynames')
if not keynames:
self.logdebug('no keynames requirement.\n')
return True
if not isinstance(keynames, list):
keynames = [keynames]
if self.keyname in keynames:
self.logdebug('keyname "%s" matches rule.\n' % self.keyname)
return True
else:
self.logdebug('keyname "%s" does not match rule.\n' % self.keyname)
return False
| check_keyname | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rule):\n keynames = rule.get('keynames')\n if not keynames:\n self.logdebug('no keynames requirement.\\n')\n return True\n if not isinstance(keynames, list):\n keynames = [keynames]\n if self.keyname in keynames:\n self.logdebug('keyname \"%s\" matches rule.\\n' % self.keyname)\n return True\n else:\n self.logdebug('keyname \"%s\" does not match rule.\\n' % self.keyname)\n return False\n",
"role": "user"
},
{
"content": "check_keyname",
"role": "assistant"
}
] |
def x(self, rule):
if not rule.get('from'):
self.logdebug('no "from" requirement.\n')
return True
allow_from = rule.get('from')
if not isinstance(allow_from, list):
allow_from = [allow_from]
client_ip = self.get_client_ip()
if client_ip in allow_from:
self.logdebug('client_ip %s in %s\n' % (client_ip, allow_from))
return True
else:
self.logdebug('client_ip %s not in %s' % (client_ip, allow_from))
return False
| check_client_ip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rule):\n if not rule.get('from'):\n self.logdebug('no \"from\" requirement.\\n')\n return True\n allow_from = rule.get('from')\n if not isinstance(allow_from, list):\n allow_from = [allow_from]\n client_ip = self.get_client_ip()\n if client_ip in allow_from:\n self.logdebug('client_ip %s in %s\\n' % (client_ip, allow_from))\n return True\n else:\n self.logdebug('client_ip %s not in %s' % (client_ip, allow_from))\n return False\n",
"role": "user"
},
{
"content": "check_client_ip",
"role": "assistant"
}
] |
def x(self):
if self.yamldocs:
return
loadfiles = []
if self.configfile:
loadfiles.append(self.configfile)
if self.configdir:
loadfiles.extend([f for f in [os.path.join(self.configdir, x) for x in
os.listdir(self.configdir)] if os.path.isfile(f) and not os.
path.basename(f).startswith('.')])
merged_configfile = io.StringIO()
merged_configfile.write('-\n')
for thefile in loadfiles:
self.logdebug('reading in config file %s\n' % thefile)
merged_configfile.write(open(thefile).read())
merged_configfile.write('\n-\n')
merged_configfile.seek(0)
self.logdebug('merged log file: """\n%s\n"""\n' % merged_configfile.read())
merged_configfile.seek(0)
return merged_configfile
| get_merged_config | [
{
"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.yamldocs:\n return\n loadfiles = []\n if self.configfile:\n loadfiles.append(self.configfile)\n if self.configdir:\n loadfiles.extend([f for f in [os.path.join(self.configdir, x) for x in\n os.listdir(self.configdir)] if os.path.isfile(f) and not os.\n path.basename(f).startswith('.')])\n merged_configfile = io.StringIO()\n merged_configfile.write('-\\n')\n for thefile in loadfiles:\n self.logdebug('reading in config file %s\\n' % thefile)\n merged_configfile.write(open(thefile).read())\n merged_configfile.write('\\n-\\n')\n merged_configfile.seek(0)\n self.logdebug('merged log file: \"\"\"\\n%s\\n\"\"\"\\n' % merged_configfile.read())\n merged_configfile.seek(0)\n return merged_configfile\n",
"role": "user"
},
{
"content": "get_merged_config",
"role": "assistant"
}
] |
def x(self):
try:
merged_configfile = self.get_merged_config()
self.yamldocs = yaml.load(merged_configfile, Loader=Loader)
self.yamldocs = [x for x in self.yamldocs if x]
self.logdebug('parsed_rules:\n%s\n' % pretty(self.yamldocs))
except (yaml.scanner.ScannerError, yaml.parser.ParserError):
self.raise_and_log_error(ConfigError, 'error parsing config.')
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n merged_configfile = self.get_merged_config()\n self.yamldocs = yaml.load(merged_configfile, Loader=Loader)\n self.yamldocs = [x for x in self.yamldocs if x]\n self.logdebug('parsed_rules:\\n%s\\n' % pretty(self.yamldocs))\n except (yaml.scanner.ScannerError, yaml.parser.ParserError):\n self.raise_and_log_error(ConfigError, 'error parsing config.')\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(self):
yaml_content = self.get_merged_config()
print('YAML Configuration\n%s\n' % yaml_content.read())
try:
self.load()
print('Python Configuration\n%s\n' % pretty(self.yamldocs))
except ConfigError:
sys.stderr.write(
'config parse error. try running with --logfile=/dev/tty\n')
raise
| dump_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n yaml_content = self.get_merged_config()\n print('YAML Configuration\\n%s\\n' % yaml_content.read())\n try:\n self.load()\n print('Python Configuration\\n%s\\n' % pretty(self.yamldocs))\n except ConfigError:\n sys.stderr.write(\n 'config parse error. try running with --logfile=/dev/tty\\n')\n raise\n",
"role": "user"
},
{
"content": "dump_config",
"role": "assistant"
}
] |
def x(self, keydata, target):
target.seek(0)
contents = target.read()
ssh_opts = 'no-port-forwarding'
if keydata in contents:
raise InstallError(
'key data already in file - refusing to double-install.\n')
command = '%s --run' % self.authprogs_binary
if self.logfile:
command += ' --logfile=%s' % self.logfile
if self.keyname:
command += ' --keyname=%s' % self.keyname
target.write('command="%(command)s",%(ssh_opts)s %(keydata)s\n' % {
'command': command, 'keydata': keydata, 'ssh_opts': ssh_opts})
| install_key_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, keydata, target):\n target.seek(0)\n contents = target.read()\n ssh_opts = 'no-port-forwarding'\n if keydata in contents:\n raise InstallError(\n 'key data already in file - refusing to double-install.\\n')\n command = '%s --run' % self.authprogs_binary\n if self.logfile:\n command += ' --logfile=%s' % self.logfile\n if self.keyname:\n command += ' --keyname=%s' % self.keyname\n target.write('command=\"%(command)s\",%(ssh_opts)s %(keydata)s\\n' % {\n 'command': command, 'keydata': keydata, 'ssh_opts': ssh_opts})\n",
"role": "user"
},
{
"content": "install_key_data",
"role": "assistant"
}
] |
def x(self, keyfile, authorized_keys):
try:
os.makedirs(os.path.dirname(authorized_keys), 448)
except OSError:
pass
keydata = open(keyfile).read()
target_fd = os.open(authorized_keys, os.O_RDWR | os.O_CREAT, 384)
self.install_key_data(keydata, os.fdopen(target_fd, 'w+'))
| install_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, keyfile, authorized_keys):\n try:\n os.makedirs(os.path.dirname(authorized_keys), 448)\n except OSError:\n pass\n keydata = open(keyfile).read()\n target_fd = os.open(authorized_keys, os.O_RDWR | os.O_CREAT, 384)\n self.install_key_data(keydata, os.fdopen(target_fd, 'w+'))\n",
"role": "user"
},
{
"content": "install_key",
"role": "assistant"
}
] |
def x(self, rule):
orig_list = []
orig_list.extend(self.original_command_list)
binary = orig_list.pop(0)
allowed_binaries = ['scp', '/usr/bin/scp']
if binary not in allowed_binaries:
self.logdebug(
'skipping scp processing - binary "%s" not in approved list.\n' %
binary)
return
filepath = orig_list.pop()
arguments = orig_list
if '-f' in arguments:
if not rule.get('allow_download'):
self.logdebug('scp denied - downloading forbidden.\n')
return
if '-t' in arguments:
if not rule.get('allow_upload'):
self.log('scp denied - uploading forbidden.\n')
return
if '-r' in arguments:
if not rule.get('allow_recursion'):
self.log('scp denied - recursive transfers forbidden.\n')
return
if '-p' in arguments:
if not rule.get('allow_permissions', 'true'):
self.log('scp denied - set/getting permissions forbidden.\n')
return
if rule.get('files'):
files = rule.get('files')
if not isinstance(files, list):
files = [files]
if filepath not in files:
self.log('scp denied - file "%s" - not in approved list %s\n' %
(filepath, files))
return
return {'command': self.original_command_list}
| find_match_scp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rule):\n orig_list = []\n orig_list.extend(self.original_command_list)\n binary = orig_list.pop(0)\n allowed_binaries = ['scp', '/usr/bin/scp']\n if binary not in allowed_binaries:\n self.logdebug(\n 'skipping scp processing - binary \"%s\" not in approved list.\\n' %\n binary)\n return\n filepath = orig_list.pop()\n arguments = orig_list\n if '-f' in arguments:\n if not rule.get('allow_download'):\n self.logdebug('scp denied - downloading forbidden.\\n')\n return\n if '-t' in arguments:\n if not rule.get('allow_upload'):\n self.log('scp denied - uploading forbidden.\\n')\n return\n if '-r' in arguments:\n if not rule.get('allow_recursion'):\n self.log('scp denied - recursive transfers forbidden.\\n')\n return\n if '-p' in arguments:\n if not rule.get('allow_permissions', 'true'):\n self.log('scp denied - set/getting permissions forbidden.\\n')\n return\n if rule.get('files'):\n files = rule.get('files')\n if not isinstance(files, list):\n files = [files]\n if filepath not in files:\n self.log('scp denied - file \"%s\" - not in approved list %s\\n' %\n (filepath, files))\n return\n return {'command': self.original_command_list}\n",
"role": "user"
},
{
"content": "find_match_scp",
"role": "assistant"
}
] |
def x(self, rule):
command_string = rule['command']
command_list = command_string.split()
self.logdebug('comparing "%s" to "%s"\n' % (command_list, self.
original_command_list))
if rule.get('allow_trailing_args'):
self.logdebug('allow_trailing_args is true - comparing initial list.\n'
)
if self.original_command_list[:len(command_list)] == command_list:
self.logdebug('initial list is same\n')
return {'command': self.original_command_list}
else:
self.logdebug('initial list is not same\n')
elif rule.get('pcre_match'):
if re.search(command_string, self.original_command_string):
return {'command': self.original_command_list}
elif command_list == self.original_command_list:
return {'command': command_list}
| find_match_command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rule):\n command_string = rule['command']\n command_list = command_string.split()\n self.logdebug('comparing \"%s\" to \"%s\"\\n' % (command_list, self.\n original_command_list))\n if rule.get('allow_trailing_args'):\n self.logdebug('allow_trailing_args is true - comparing initial list.\\n'\n )\n if self.original_command_list[:len(command_list)] == command_list:\n self.logdebug('initial list is same\\n')\n return {'command': self.original_command_list}\n else:\n self.logdebug('initial list is not same\\n')\n elif rule.get('pcre_match'):\n if re.search(command_string, self.original_command_string):\n return {'command': self.original_command_list}\n elif command_list == self.original_command_list:\n return {'command': command_list}\n",
"role": "user"
},
{
"content": "find_match_command",
"role": "assistant"
}
] |
def x(self):
self.load()
for yamldoc in self.yamldocs:
self.logdebug('\nchecking rule """%s"""\n' % yamldoc)
if not yamldoc:
continue
if not self.check_client_ip(yamldoc):
continue
if not self.check_keyname(yamldoc):
continue
rules = yamldoc.get('allow')
if not isinstance(rules, list):
rules = [rules]
for rule in rules:
rule_type = rule.get('rule_type', 'command')
if rule_type == 'command':
sub = self.find_match_command
elif rule_type == 'scp':
sub = self.find_match_scp
else:
self.log('fatal: no such rule_type "%s"\n' % rule_type)
self.raise_and_log_error(ConfigError, 'error parsing config.')
match = sub(rule)
if match:
return match
raise CommandRejected('command "%s" denied.' % self.original_command_string
)
| find_match | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.load()\n for yamldoc in self.yamldocs:\n self.logdebug('\\nchecking rule \"\"\"%s\"\"\"\\n' % yamldoc)\n if not yamldoc:\n continue\n if not self.check_client_ip(yamldoc):\n continue\n if not self.check_keyname(yamldoc):\n continue\n rules = yamldoc.get('allow')\n if not isinstance(rules, list):\n rules = [rules]\n for rule in rules:\n rule_type = rule.get('rule_type', 'command')\n if rule_type == 'command':\n sub = self.find_match_command\n elif rule_type == 'scp':\n sub = self.find_match_scp\n else:\n self.log('fatal: no such rule_type \"%s\"\\n' % rule_type)\n self.raise_and_log_error(ConfigError, 'error parsing config.')\n match = sub(rule)\n if match:\n return match\n raise CommandRejected('command \"%s\" denied.' % self.original_command_string\n )\n",
"role": "user"
},
{
"content": "find_match",
"role": "assistant"
}
] |
def x(self):
if not self.original_command_string:
raise SSHEnvironmentError(
'no SSH command found; interactive shell disallowed.')
command_info = {'from': self.get_client_ip(), 'keyname': self.keyname,
'ssh_original_comand': self.original_command_string, 'time': time.
time()}
os.environ['AUTHPROGS_KEYNAME'] = self.keyname
retcode = 126
try:
match = self.find_match()
command_info['command'] = match.get('command')
self.logdebug('find_match returned "%s"\n' % match)
command = match['command']
retcode = subprocess.call(command)
command_info['code'] = retcode
self.log('result: %s\n' % command_info)
sys.exit(retcode)
except (CommandRejected, OSError) as err:
command_info['exception'] = '%s' % err
self.log('result: %s\n' % command_info)
sys.exit(retcode)
| exec_command | [
{
"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.original_command_string:\n raise SSHEnvironmentError(\n 'no SSH command found; interactive shell disallowed.')\n command_info = {'from': self.get_client_ip(), 'keyname': self.keyname,\n 'ssh_original_comand': self.original_command_string, 'time': time.\n time()}\n os.environ['AUTHPROGS_KEYNAME'] = self.keyname\n retcode = 126\n try:\n match = self.find_match()\n command_info['command'] = match.get('command')\n self.logdebug('find_match returned \"%s\"\\n' % match)\n command = match['command']\n retcode = subprocess.call(command)\n command_info['code'] = retcode\n self.log('result: %s\\n' % command_info)\n sys.exit(retcode)\n except (CommandRejected, OSError) as err:\n command_info['exception'] = '%s' % err\n self.log('result: %s\\n' % command_info)\n sys.exit(retcode)\n",
"role": "user"
},
{
"content": "exec_command",
"role": "assistant"
}
] |
def x(value):
crc = 0
for byte in value:
crc = crc << 8 & 65535 ^ _CRC16_LOOKUP[(crc >> 8 ^ ord(byte)) & 255]
return crc
| py2_crc16 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n crc = 0\n for byte in value:\n crc = crc << 8 & 65535 ^ _CRC16_LOOKUP[(crc >> 8 ^ ord(byte)) & 255]\n return crc\n",
"role": "user"
},
{
"content": "py2_crc16",
"role": "assistant"
}
] |
def x(value):
crc = 0
for byte in value:
crc = crc << 8 & 65535 ^ _CRC16_LOOKUP[(crc >> 8 ^ byte) & 255]
return crc
| py3_crc16 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n crc = 0\n for byte in value:\n crc = crc << 8 & 65535 ^ _CRC16_LOOKUP[(crc >> 8 ^ byte) & 255]\n return crc\n",
"role": "user"
},
{
"content": "py3_crc16",
"role": "assistant"
}
] |
def x(cls, url: str) ->Optional[Match[str]]:
match = re.match(cls._VALID_URL, url)
return match
| validate_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, url: str) ->Optional[Match[str]]:\n match = re.match(cls._VALID_URL, url)\n return match\n",
"role": "user"
},
{
"content": "validate_url",
"role": "assistant"
}
] |
def x(self) ->dict:
with suppress_stdout():
with youtube_dl.YoutubeDL() as ydl:
info_dict = ydl.extract_info(self.url, download=False)
return info_dict
| get_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->dict:\n with suppress_stdout():\n with youtube_dl.YoutubeDL() as ydl:\n info_dict = ydl.extract_info(self.url, download=False)\n return info_dict\n",
"role": "user"
},
{
"content": "get_info",
"role": "assistant"
}
] |
def x(entries: Entries, data: dict) ->None:
for entry in entries:
entry.update(data)
| update_entries | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(entries: Entries, data: dict) ->None:\n for entry in entries:\n entry.update(data)\n",
"role": "user"
},
{
"content": "update_entries",
"role": "assistant"
}
] |
def x(site, ctx):
ctx['site'] = site
ctx['feeds'] = feeds = site.active_feeds.order_by('name')
def x(k):
mod, chk = (max(vals) if vals else None for vals in (filter(None,
it.imap(op.attrgetter(k), feeds)) for k in ['last_modified',
'last_checked']))
chk = chk or datetime(1970, 1, 1, 0, 0, 0, 0, timezone.utc)
ctx['last_modified'], ctx['last_checked'] = mod or chk, chk
return ctx[k]
for k in ('last_modified', 'last_checked'):
ctx[k] = lambda : get_mod_chk(k)
ctx['media_url'] = ctx['static_url'] = '{}feedjack/{}'.format(settings.
STATIC_URL, site.template)
| get_extra_context | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(site, ctx):\n ctx['site'] = site\n ctx['feeds'] = feeds = site.active_feeds.order_by('name')\n\n def x(k):\n mod, chk = (max(vals) if vals else None for vals in (filter(None,\n it.imap(op.attrgetter(k), feeds)) for k in ['last_modified',\n 'last_checked']))\n chk = chk or datetime(1970, 1, 1, 0, 0, 0, 0, timezone.utc)\n ctx['last_modified'], ctx['last_checked'] = mod or chk, chk\n return ctx[k]\n for k in ('last_modified', 'last_checked'):\n ctx[k] = lambda : get_mod_chk(k)\n ctx['media_url'] = ctx['static_url'] = '{}feedjack/{}'.format(settings.\n STATIC_URL, site.template)\n",
"role": "user"
},
{
"content": "get_extra_context",
"role": "assistant"
}
] |
def x(subscribers, object_list, feed, tag_name):
tagd = dict()
user_obj = None
tag_obj = None
tags = models.Tag.objects.extra(select=dict(post_id='{0}.{1}'.format(*
it.imap(connection.ops.quote_name, ('feedjack_post_tags', 'post_id'
)))), tables=['feedjack_post_tags'], where=['{0}.{1}={2}.{3}'.
format(*it.imap(connection.ops.quote_name, ('feedjack_tag', 'id',
'feedjack_post_tags', 'tag_id'))), '{0}.{1} IN ({2})'.format(
connection.ops.quote_name('feedjack_post_tags'), connection.ops.
quote_name('post_id'), ', '.join([str(post.id) for post in
object_list]))])
for tag in tags:
if tag.post_id not in tagd:
tagd[tag.post_id] = list()
tagd[tag.post_id].append(tag)
if tag_name and tag.name == tag_name:
tag_obj = tag
subd = dict()
for sub in subscribers:
subd[sub.feed.id] = sub
for post in object_list:
if post.id in tagd:
post.qtags = tagd[post.id]
else:
post.qtags = list()
post.subscriber = subd[post.feed.id]
if feed == post.feed:
user_obj = post.subscriber
return user_obj, tag_obj
| get_posts_tags | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(subscribers, object_list, feed, tag_name):\n tagd = dict()\n user_obj = None\n tag_obj = None\n tags = models.Tag.objects.extra(select=dict(post_id='{0}.{1}'.format(*\n it.imap(connection.ops.quote_name, ('feedjack_post_tags', 'post_id'\n )))), tables=['feedjack_post_tags'], where=['{0}.{1}={2}.{3}'.\n format(*it.imap(connection.ops.quote_name, ('feedjack_tag', 'id',\n 'feedjack_post_tags', 'tag_id'))), '{0}.{1} IN ({2})'.format(\n connection.ops.quote_name('feedjack_post_tags'), connection.ops.\n quote_name('post_id'), ', '.join([str(post.id) for post in\n object_list]))])\n for tag in tags:\n if tag.post_id not in tagd:\n tagd[tag.post_id] = list()\n tagd[tag.post_id].append(tag)\n if tag_name and tag.name == tag_name:\n tag_obj = tag\n subd = dict()\n for sub in subscribers:\n subd[sub.feed.id] = sub\n for post in object_list:\n if post.id in tagd:\n post.qtags = tagd[post.id]\n else:\n post.qtags = list()\n post.subscriber = subd[post.feed.id]\n if feed == post.feed:\n user_obj = post.subscriber\n return user_obj, tag_obj\n",
"role": "user"
},
{
"content": "get_posts_tags",
"role": "assistant"
}
] |
def x(site, page=1, **criterias):
global _since_formats_vary
if 'since' in criterias:
since = criterias['since']
if since in _since_offsets:
since = datetime.today() - timedelta(_since_offsets[since])
else:
if _since_formats_vary:
for fmt, substs in it.product(list(_since_formats), it.
chain.from_iterable(it.combinations(_since_formats_vary,
n) for n in xrange(1, len(_since_formats_vary)))):
for src, dst in substs:
fmt = fmt.replace(src, dst)
_since_formats.add(fmt)
_since_formats_vary = None
for fmt in _since_formats:
try:
since = datetime.strptime(since, fmt)
except ValueError:
pass
else:
break
else:
raise Http404
try:
criterias['since'] = timezone.make_aware(since, timezone.
get_current_timezone())
except (timezone.pytz.exceptions.AmbiguousTimeError if timezone.
pytz else RuntimeError):
criterias['since'] = since.replace(tzinfo=timezone)
order_force = criterias.pop('asc', None)
posts = models.Post.objects.filtered(site, **criterias).sorted(site.
order_posts_by, force=order_force).select_related('feed')
paginator = Paginator(posts, site.posts_per_page)
try:
return paginator.page(page)
except InvalidPage:
raise Http404
| get_page | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(site, page=1, **criterias):\n global _since_formats_vary\n if 'since' in criterias:\n since = criterias['since']\n if since in _since_offsets:\n since = datetime.today() - timedelta(_since_offsets[since])\n else:\n if _since_formats_vary:\n for fmt, substs in it.product(list(_since_formats), it.\n chain.from_iterable(it.combinations(_since_formats_vary,\n n) for n in xrange(1, len(_since_formats_vary)))):\n for src, dst in substs:\n fmt = fmt.replace(src, dst)\n _since_formats.add(fmt)\n _since_formats_vary = None\n for fmt in _since_formats:\n try:\n since = datetime.strptime(since, fmt)\n except ValueError:\n pass\n else:\n break\n else:\n raise Http404\n try:\n criterias['since'] = timezone.make_aware(since, timezone.\n get_current_timezone())\n except (timezone.pytz.exceptions.AmbiguousTimeError if timezone.\n pytz else RuntimeError):\n criterias['since'] = since.replace(tzinfo=timezone)\n order_force = criterias.pop('asc', None)\n posts = models.Post.objects.filtered(site, **criterias).sorted(site.\n order_posts_by, force=order_force).select_related('feed')\n paginator = Paginator(posts, site.posts_per_page)\n try:\n return paginator.page(page)\n except InvalidPage:\n raise Http404\n",
"role": "user"
},
{
"content": "get_page",
"role": "assistant"
}
] |
def x(request, site, **criterias):
try:
page = int(request.GET.get('page', 1))
except ValueError:
page = 1
feed, tag = criterias.get('feed'), criterias.get('tag')
if feed:
try:
feed = models.Feed.objects.get(pk=feed)
except ObjectDoesNotExist:
raise Http404
page = get_page(site, page=page, **criterias)
subscribers = site.active_subscribers
if site.show_tagcloud and page.object_list:
from feedjack import fjcloud
user_obj, tag_obj = get_posts_tags(subscribers, page.object_list,
feed, tag)
tag_cloud = fjcloud.getcloud(site, feed and feed.id)
else:
tag_obj, tag_cloud = None, tuple()
try:
user_obj = models.Subscriber.objects.get(site=site, feed=feed
) if feed else None
except ObjectDoesNotExist:
raise Http404
site_proc_tags = site.processing_tags.strip()
if site_proc_tags != 'none':
site_proc_tags = filter(None, map(op.methodcaller('strip'), site.
processing_tags.split(',')))
for site_feed, posts in it.groupby(page.object_list, key=op.
attrgetter('feed')):
proc = site_feed.processor_for_tags(site_proc_tags)
if proc:
proc.apply_overlay_to_posts(posts)
ctx = dict(last_modified=max(it.imap(op.attrgetter('date_updated'),
page.object_list)) if len(page.object_list) else datetime(1970, 1,
1, 0, 0, 0, 0, timezone.utc), object_list=page.object_list,
subscribers=subscribers.select_related('feed'), tag=tag_obj,
tagcloud=tag_cloud, feed=feed, url_suffix=''.join(('/feed/{0}'.
format(feed.id) if feed else '', '/tag/{0}'.format(escape(tag)) if
tag else '')), p=page, p_10neighbors=OrderedDict((p, p >= 1 and p <=
page.paginator.num_pages) for p in (page.number + n for n in xrange
(-10, 11))), user_id=feed and feed.id, user=user_obj, is_paginated=
page.paginator.num_pages > 1, results_per_page=site.posts_per_page,
has_next=page.has_next(), has_previous=page.has_previous(), page=
page.number, next=page.number + 1, previous=page.number - 1, pages=
page.paginator.num_pages, hits=page.paginator.count)
get_extra_context(site, ctx)
return ctx
| page_context | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, site, **criterias):\n try:\n page = int(request.GET.get('page', 1))\n except ValueError:\n page = 1\n feed, tag = criterias.get('feed'), criterias.get('tag')\n if feed:\n try:\n feed = models.Feed.objects.get(pk=feed)\n except ObjectDoesNotExist:\n raise Http404\n page = get_page(site, page=page, **criterias)\n subscribers = site.active_subscribers\n if site.show_tagcloud and page.object_list:\n from feedjack import fjcloud\n user_obj, tag_obj = get_posts_tags(subscribers, page.object_list,\n feed, tag)\n tag_cloud = fjcloud.getcloud(site, feed and feed.id)\n else:\n tag_obj, tag_cloud = None, tuple()\n try:\n user_obj = models.Subscriber.objects.get(site=site, feed=feed\n ) if feed else None\n except ObjectDoesNotExist:\n raise Http404\n site_proc_tags = site.processing_tags.strip()\n if site_proc_tags != 'none':\n site_proc_tags = filter(None, map(op.methodcaller('strip'), site.\n processing_tags.split(',')))\n for site_feed, posts in it.groupby(page.object_list, key=op.\n attrgetter('feed')):\n proc = site_feed.processor_for_tags(site_proc_tags)\n if proc:\n proc.apply_overlay_to_posts(posts)\n ctx = dict(last_modified=max(it.imap(op.attrgetter('date_updated'),\n page.object_list)) if len(page.object_list) else datetime(1970, 1, \n 1, 0, 0, 0, 0, timezone.utc), object_list=page.object_list,\n subscribers=subscribers.select_related('feed'), tag=tag_obj,\n tagcloud=tag_cloud, feed=feed, url_suffix=''.join(('/feed/{0}'.\n format(feed.id) if feed else '', '/tag/{0}'.format(escape(tag)) if\n tag else '')), p=page, p_10neighbors=OrderedDict((p, p >= 1 and p <=\n page.paginator.num_pages) for p in (page.number + n for n in xrange\n (-10, 11))), user_id=feed and feed.id, user=user_obj, is_paginated=\n page.paginator.num_pages > 1, results_per_page=site.posts_per_page,\n has_next=page.has_next(), has_previous=page.has_previous(), page=\n page.number, next=page.number + 1, previous=page.number - 1, pages=\n page.paginator.num_pages, hits=page.paginator.count)\n get_extra_context(site, ctx)\n return ctx\n",
"role": "user"
},
{
"content": "page_context",
"role": "assistant"
}
] |
def x(self, key, start=None, end=None):
command = [b'BITCOUNT', key]
if start is not None and end is None:
raise ValueError('Can not specify start without an end')
elif start is None and end is not None:
raise ValueError('Can not specify start without an end')
elif start is not None and end is not None:
command += [ascii(start), ascii(end)]
return self._execute(command)
| bitcount | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, start=None, end=None):\n command = [b'BITCOUNT', key]\n if start is not None and end is None:\n raise ValueError('Can not specify start without an end')\n elif start is None and end is not None:\n raise ValueError('Can not specify start without an end')\n elif start is not None and end is not None:\n command += [ascii(start), ascii(end)]\n return self._execute(command)\n",
"role": "user"
},
{
"content": "bitcount",
"role": "assistant"
}
] |
def x(self, operation, dest_key, *keys):
if operation not in _BITOPTS.keys() and operation not in _BITOPTS.values():
raise ValueError('Invalid operation value: {}'.format(operation))
elif operation in [b'~', b'NOT'] and len(keys) > 1:
raise ValueError('NOT can only be used with 1 key')
if operation in _BITOPTS.keys():
operation = _BITOPTS[operation]
return self._execute([b'BITOP', operation, dest_key] + list(keys))
| bitop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, operation, dest_key, *keys):\n if operation not in _BITOPTS.keys() and operation not in _BITOPTS.values():\n raise ValueError('Invalid operation value: {}'.format(operation))\n elif operation in [b'~', b'NOT'] and len(keys) > 1:\n raise ValueError('NOT can only be used with 1 key')\n if operation in _BITOPTS.keys():\n operation = _BITOPTS[operation]\n return self._execute([b'BITOP', operation, dest_key] + list(keys))\n",
"role": "user"
},
{
"content": "bitop",
"role": "assistant"
}
] |
def x(self, key, bit, start=None, end=None):
if 0 < bit > 1:
raise ValueError('bit must be 1 or 0, not {}'.format(bit))
command = [b'BITPOS', key, ascii(bit)]
if start is not None and end is None:
raise ValueError('Can not specify start without an end')
elif start is None and end is not None:
raise ValueError('Can not specify start without an end')
elif start is not None and end is not None:
command += [ascii(start), ascii(end)]
return self._execute(command)
| bitpos | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, bit, start=None, end=None):\n if 0 < bit > 1:\n raise ValueError('bit must be 1 or 0, not {}'.format(bit))\n command = [b'BITPOS', key, ascii(bit)]\n if start is not None and end is None:\n raise ValueError('Can not specify start without an end')\n elif start is None and end is not None:\n raise ValueError('Can not specify start without an end')\n elif start is not None and end is not None:\n command += [ascii(start), ascii(end)]\n return self._execute(command)\n",
"role": "user"
},
{
"content": "bitpos",
"role": "assistant"
}
] |
def x(self, key, decrement):
return self._execute([b'DECRBY', key, ascii(decrement)])
| decrby | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, decrement):\n return self._execute([b'DECRBY', key, ascii(decrement)])\n",
"role": "user"
},
{
"content": "decrby",
"role": "assistant"
}
] |
def x(self, key, offset):
return self._execute([b'GETBIT', key, ascii(offset)])
| getbit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, offset):\n return self._execute([b'GETBIT', key, ascii(offset)])\n",
"role": "user"
},
{
"content": "getbit",
"role": "assistant"
}
] |
def x(self, key, start, end):
return self._execute([b'GETRANGE', key, ascii(start), ascii(end)])
| getrange | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, start, end):\n return self._execute([b'GETRANGE', key, ascii(start), ascii(end)])\n",
"role": "user"
},
{
"content": "getrange",
"role": "assistant"
}
] |
def x(self, key, increment):
return self._execute([b'INCRBY', key, ascii(increment)])
| incrby | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, increment):\n return self._execute([b'INCRBY', key, ascii(increment)])\n",
"role": "user"
},
{
"content": "incrby",
"role": "assistant"
}
] |
def x(self, key, increment):
return self._execute([b'INCRBYFLOAT', key, ascii(increment)])
| incrbyfloat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, increment):\n return self._execute([b'INCRBYFLOAT', key, ascii(increment)])\n",
"role": "user"
},
{
"content": "incrbyfloat",
"role": "assistant"
}
] |
def x(self, mapping):
command = [b'MSET']
for key, value in mapping.items():
command += [key, value]
return self._execute(command, b'OK')
| mset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mapping):\n command = [b'MSET']\n for key, value in mapping.items():\n command += [key, value]\n return self._execute(command, b'OK')\n",
"role": "user"
},
{
"content": "mset",
"role": "assistant"
}
] |
def x(self, mapping):
command = [b'MSETNX']
for key, value in mapping.items():
command += [key, value]
return self._execute(command, 1)
| msetnx | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mapping):\n command = [b'MSETNX']\n for key, value in mapping.items():\n command += [key, value]\n return self._execute(command, 1)\n",
"role": "user"
},
{
"content": "msetnx",
"role": "assistant"
}
] |
def x(self, key, milliseconds, value):
return self._execute([b'PSETEX', key, ascii(milliseconds), value], b'OK')
| psetex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, milliseconds, value):\n return self._execute([b'PSETEX', key, ascii(milliseconds), value], b'OK')\n",
"role": "user"
},
{
"content": "psetex",
"role": "assistant"
}
] |
def x(self, key, value, ex=None, px=None, nx=False, xx=False):
command = [b'SET', key, value]
if ex:
command += [b'EX', ascii(ex).encode('ascii')]
if px:
command += [b'PX', ascii(px).encode('ascii')]
if nx:
command.append(b'NX')
if xx:
command.append(b'XX')
return self._execute(command, b'OK')
| set | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value, ex=None, px=None, nx=False, xx=False):\n command = [b'SET', key, value]\n if ex:\n command += [b'EX', ascii(ex).encode('ascii')]\n if px:\n command += [b'PX', ascii(px).encode('ascii')]\n if nx:\n command.append(b'NX')\n if xx:\n command.append(b'XX')\n return self._execute(command, b'OK')\n",
"role": "user"
},
{
"content": "set",
"role": "assistant"
}
] |
def x(self, key, offset, bit):
if 0 < bit > 1:
raise ValueError('bit must be 1 or 0, not {}'.format(bit))
return self._execute([b'SETBIT', key, ascii(offset), ascii(bit)])
| setbit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, offset, bit):\n if 0 < bit > 1:\n raise ValueError('bit must be 1 or 0, not {}'.format(bit))\n return self._execute([b'SETBIT', key, ascii(offset), ascii(bit)])\n",
"role": "user"
},
{
"content": "setbit",
"role": "assistant"
}
] |
def x(self, key, seconds, value):
return self._execute([b'SETEX', key, ascii(seconds), value], b'OK')
| setex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, seconds, value):\n return self._execute([b'SETEX', key, ascii(seconds), value], b'OK')\n",
"role": "user"
},
{
"content": "setex",
"role": "assistant"
}
] |
def x(self, key, offset, value):
return self._execute([b'SETRANGE', key, ascii(offset), value])
| setrange | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, offset, value):\n return self._execute([b'SETRANGE', key, ascii(offset), value])\n",
"role": "user"
},
{
"content": "setrange",
"role": "assistant"
}
] |
def x(self, ext):
return (ext.rsv1 and self.rsv1 or ext.rsv2 and self.rsv2 or ext.rsv3 and
self.rsv3 or set(ext.names) & set(self.names) or set(ext.opcodes) &
set(self.opcodes))
| conflicts | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ext):\n return (ext.rsv1 and self.rsv1 or ext.rsv2 and self.rsv2 or ext.rsv3 and\n self.rsv3 or set(ext.names) & set(self.names) or set(ext.opcodes) &\n set(self.opcodes))\n",
"role": "user"
},
{
"content": "conflicts",
"role": "assistant"
}
] |
def x(self, name, params):
for param in params.iterkeys():
if param not in self.defaults:
return
try:
return dict(self.negotiate(name, params))
except (KeyError, ValueError, AssertionError):
pass
| negotiate_safe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, params):\n for param in params.iterkeys():\n if param not in self.defaults:\n return\n try:\n return dict(self.negotiate(name, params))\n except (KeyError, ValueError, AssertionError):\n pass\n",
"role": "user"
},
{
"content": "negotiate_safe",
"role": "assistant"
}
] |
def x(request):
if request.method == 'GET':
return get(request)
elif request.method == 'POST':
return post(request)
return HttpResponse('')
| index | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n if request.method == 'GET':\n return get(request)\n elif request.method == 'POST':\n return post(request)\n return HttpResponse('')\n",
"role": "user"
},
{
"content": "index",
"role": "assistant"
}
] |
def x(request):
res = Result()
obj, created = UserPref.objects.get_or_create(user=request.user,
defaults={'data': json.dumps(DefaultPrefs.copy())})
data = obj.json()
data['subscriptions'] = [_.json() for _ in GallerySubscription.objects.
filter(user=request.user)]
res.append(data)
return JsonResponse(res.asDict())
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n res = Result()\n obj, created = UserPref.objects.get_or_create(user=request.user,\n defaults={'data': json.dumps(DefaultPrefs.copy())})\n data = obj.json()\n data['subscriptions'] = [_.json() for _ in GallerySubscription.objects.\n filter(user=request.user)]\n res.append(data)\n return JsonResponse(res.asDict())\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(request):
data = request.POST or json.loads(request.body)['body']
key = data.get('key', None)
val = data.get('val', None)
res = Result()
if key is not None and val is not None:
obj, created = UserPref.objects.get_or_create(user=request.user)
if created:
obj.data = json.dumps(DefaultPrefs.copy())
obj.save()
try:
val = json.loads(val)
except (TypeError, ValueError):
pass
obj.setKey(key, val)
obj.save()
res.append(obj.json())
return JsonResponse(res.asDict())
| post | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n data = request.POST or json.loads(request.body)['body']\n key = data.get('key', None)\n val = data.get('val', None)\n res = Result()\n if key is not None and val is not None:\n obj, created = UserPref.objects.get_or_create(user=request.user)\n if created:\n obj.data = json.dumps(DefaultPrefs.copy())\n obj.save()\n try:\n val = json.loads(val)\n except (TypeError, ValueError):\n pass\n obj.setKey(key, val)\n obj.save()\n res.append(obj.json())\n return JsonResponse(res.asDict())\n",
"role": "user"
},
{
"content": "post",
"role": "assistant"
}
] |
def x(parsed, raw):
if parsed:
return feedparser_ts(parsed)
if not raw:
return None
ts, val = None, raw.replace('_', ' ')
if not ts:
from subprocess import Popen, PIPE
with open(os.devnull, 'w') as devnull:
proc = Popen(['date', '+%s', '-d', val], stdout=PIPE, stderr=
devnull)
val = proc.stdout.read()
if not proc.wait():
ts = datetime.fromtimestamp(int(val.strip()), tz=timezone.utc)
if ts:
return ts
raise ValueError('Unrecognized raw value format: {0!r}'.format(val))
| get_modified_date | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parsed, raw):\n if parsed:\n return feedparser_ts(parsed)\n if not raw:\n return None\n ts, val = None, raw.replace('_', ' ')\n if not ts:\n from subprocess import Popen, PIPE\n with open(os.devnull, 'w') as devnull:\n proc = Popen(['date', '+%s', '-d', val], stdout=PIPE, stderr=\n devnull)\n val = proc.stdout.read()\n if not proc.wait():\n ts = datetime.fromtimestamp(int(val.strip()), tz=timezone.utc)\n if ts:\n return ts\n raise ValueError('Unrecognized raw value format: {0!r}'.format(val))\n",
"role": "user"
},
{
"content": "get_modified_date",
"role": "assistant"
}
] |
def x(self, entry):
from feedjack.models import Post, Tag
post = Post(feed=self.feed)
post.link = entry.get('link', self.feed.link)
post.title = entry.get('title', post.link)
post.guid = self._get_guid(entry)
if 'author_detail' in entry:
post.author = entry.author_detail.get('name', '')
post.author_email = entry.author_detail.get('email', '')
if not post.author:
post.author = entry.get('author', entry.get('creator', ''))
if not post.author_email:
post.author_email = 'nospam@nospam.com'
try:
post.content = entry.content[0].value
except:
post.content = entry.get('summary', entry.get('description', ''))
ts_parsed = ts_raw = None
for k in self.post_timestamp_keys:
try:
post.date_modified = get_modified_date(entry.get('{0}_parsed'.
format(k)), entry.get(k))
except ValueError as err:
log.warn(
'Failed to process post timestamp: {0} (feed_id: {1}, post_guid: {2})'
.format(err, self.feed.id, post.guid))
if post.date_modified:
break
post.comments = entry.get('comments', '')
enclosures = entry.get('enclosures', list())
if 'media_content' in entry:
for mc in entry.media_content:
if 'url' in mc:
e = dict(href=mc['url'], medium=mc.get('medium', 'image'))
else:
e = entry.media_content
e['type'] = 'application/x-media-content'
enclosures.append(e)
assert enclosures, enclosures
post.enclosures = enclosures
fcat = list()
if entry.has_key('tags'):
for tcat in entry.tags:
qcat = tcat.label if tcat.label is not None else tcat.term
if not qcat:
continue
qcat = qcat.strip()
if ',' in qcat or '/' in qcat:
qcat = qcat.replace(',', '/').split('/')
else:
qcat = [qcat]
for zcat in qcat:
tagname = ' '.join(zcat.lower().split()).strip()[:255]
if not tagname:
continue
if not Tag.objects.filter(name=tagname):
cobj = Tag(name=tagname)
cobj.save()
fcat.append(Tag.objects.get(name=tagname))
post_base_fields = 'title link guid author author_email'.split()
log.debug('[{0}] Entry\n{1}'.format(self.feed.id, '\n'.join([
' {0}: {1}'.format(key, getattr(post, key)) for key in
post_base_fields] + ['tags: {0}'.format(' '.join(it.imap(op.
attrgetter('name'), fcat)))])))
if post.guid in self.postdict:
post_old = self.postdict[post.guid]
changed = (post_old.content != post.content or post.date_modified and
post_old.date_modified != post.date_modified)
if not self.feed.immutable and changed:
retval = ENTRY_UPDATED
log.extra('[{0}] Updating existing post: {1}'.format(self.feed.
id, post.link))
for field in (post_base_fields + ['content', 'comments']):
setattr(post_old, field, getattr(post, field))
post_old.date_modified = (post.date_modified or post_old.
date_modified)
post_old.tags.clear()
for tcat in fcat:
post_old.tags.add(tcat)
post_old.save()
else:
retval = ENTRY_SAME
log.extra(('[{0}] Post has not changed: {1}' if not changed else
'[{0}] Post changed, but feed is marked as immutable: {1}')
.format(self.feed.id, post.link))
else:
retval = ENTRY_NEW
log.extra('[{0}] Saving new post: {1} (timestamp: {2})'.format(self
.feed.id, post.guid, post.date_modified))
if not post.date_modified and self.fpf:
try:
post.date_modified = get_modified_date(self.fpf.feed.get(
'modified_parsed') or self.fpf.get('modified_parsed'),
self.fpf.feed.get('modified') or self.fpf.get('modified'))
except ValueError as err:
log.warn(
'Failed to process feed/http timestamp: {0} (feed_id: {1}, post_guid: {2}), falling back to "now"'
.format(err, self.feed.id, post.guid))
if not post.date_modified:
post.date_modified = timezone.now()
log.debug('[{0}] Using current time for post ({1}) timestamp'
.format(self.feed.id, post.guid))
else:
log.debug(
'[{0}] Using timestamp from feed/http for post ({1}): {2}'
.format(self.feed.id, post.guid, post.date_modified))
if self.options.hidden:
post.hidden = True
try:
post.save()
except IntegrityError:
log.error(
'IntegrityError while saving (supposedly) new post with guid: {0.guid}, link: {0.link}, title: {0.title}'
.format(post))
raise
for tcat in fcat:
post.tags.add(tcat)
self.postdict[post.guid] = post
return retval
| process_entry | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entry):\n from feedjack.models import Post, Tag\n post = Post(feed=self.feed)\n post.link = entry.get('link', self.feed.link)\n post.title = entry.get('title', post.link)\n post.guid = self._get_guid(entry)\n if 'author_detail' in entry:\n post.author = entry.author_detail.get('name', '')\n post.author_email = entry.author_detail.get('email', '')\n if not post.author:\n post.author = entry.get('author', entry.get('creator', ''))\n if not post.author_email:\n post.author_email = 'nospam@nospam.com'\n try:\n post.content = entry.content[0].value\n except:\n post.content = entry.get('summary', entry.get('description', ''))\n ts_parsed = ts_raw = None\n for k in self.post_timestamp_keys:\n try:\n post.date_modified = get_modified_date(entry.get('{0}_parsed'.\n format(k)), entry.get(k))\n except ValueError as err:\n log.warn(\n 'Failed to process post timestamp: {0} (feed_id: {1}, post_guid: {2})'\n .format(err, self.feed.id, post.guid))\n if post.date_modified:\n break\n post.comments = entry.get('comments', '')\n enclosures = entry.get('enclosures', list())\n if 'media_content' in entry:\n for mc in entry.media_content:\n if 'url' in mc:\n e = dict(href=mc['url'], medium=mc.get('medium', 'image'))\n else:\n e = entry.media_content\n e['type'] = 'application/x-media-content'\n enclosures.append(e)\n assert enclosures, enclosures\n post.enclosures = enclosures\n fcat = list()\n if entry.has_key('tags'):\n for tcat in entry.tags:\n qcat = tcat.label if tcat.label is not None else tcat.term\n if not qcat:\n continue\n qcat = qcat.strip()\n if ',' in qcat or '/' in qcat:\n qcat = qcat.replace(',', '/').split('/')\n else:\n qcat = [qcat]\n for zcat in qcat:\n tagname = ' '.join(zcat.lower().split()).strip()[:255]\n if not tagname:\n continue\n if not Tag.objects.filter(name=tagname):\n cobj = Tag(name=tagname)\n cobj.save()\n fcat.append(Tag.objects.get(name=tagname))\n post_base_fields = 'title link guid author author_email'.split()\n log.debug('[{0}] Entry\\n{1}'.format(self.feed.id, '\\n'.join([\n ' {0}: {1}'.format(key, getattr(post, key)) for key in\n post_base_fields] + ['tags: {0}'.format(' '.join(it.imap(op.\n attrgetter('name'), fcat)))])))\n if post.guid in self.postdict:\n post_old = self.postdict[post.guid]\n changed = (post_old.content != post.content or post.date_modified and\n post_old.date_modified != post.date_modified)\n if not self.feed.immutable and changed:\n retval = ENTRY_UPDATED\n log.extra('[{0}] Updating existing post: {1}'.format(self.feed.\n id, post.link))\n for field in (post_base_fields + ['content', 'comments']):\n setattr(post_old, field, getattr(post, field))\n post_old.date_modified = (post.date_modified or post_old.\n date_modified)\n post_old.tags.clear()\n for tcat in fcat:\n post_old.tags.add(tcat)\n post_old.save()\n else:\n retval = ENTRY_SAME\n log.extra(('[{0}] Post has not changed: {1}' if not changed else\n '[{0}] Post changed, but feed is marked as immutable: {1}')\n .format(self.feed.id, post.link))\n else:\n retval = ENTRY_NEW\n log.extra('[{0}] Saving new post: {1} (timestamp: {2})'.format(self\n .feed.id, post.guid, post.date_modified))\n if not post.date_modified and self.fpf:\n try:\n post.date_modified = get_modified_date(self.fpf.feed.get(\n 'modified_parsed') or self.fpf.get('modified_parsed'), \n self.fpf.feed.get('modified') or self.fpf.get('modified'))\n except ValueError as err:\n log.warn(\n 'Failed to process feed/http timestamp: {0} (feed_id: {1}, post_guid: {2}), falling back to \"now\"'\n .format(err, self.feed.id, post.guid))\n if not post.date_modified:\n post.date_modified = timezone.now()\n log.debug('[{0}] Using current time for post ({1}) timestamp'\n .format(self.feed.id, post.guid))\n else:\n log.debug(\n '[{0}] Using timestamp from feed/http for post ({1}): {2}'\n .format(self.feed.id, post.guid, post.date_modified))\n if self.options.hidden:\n post.hidden = True\n try:\n post.save()\n except IntegrityError:\n log.error(\n 'IntegrityError while saving (supposedly) new post with guid: {0.guid}, link: {0.link}, title: {0.title}'\n .format(post))\n raise\n for tcat in fcat:\n post.tags.add(tcat)\n self.postdict[post.guid] = post\n return retval\n",
"role": "user"
},
{
"content": "process_entry",
"role": "assistant"
}
] |
def x(self):
ret_values = {ENTRY_NEW: 0, ENTRY_UPDATED: 0, ENTRY_SAME: 0, ENTRY_ERR: 0}
report_errors = (not self.options.report_after or not self.feed.
last_checked or self.feed.last_checked + self.options.report_after <
timezone.now())
feedparser_kws = dict()
if sys.hexversion >= 34015488 and not self.feed.verify_tls_certs:
import urllib2, ssl
ctx = ssl.create_default_context()
ctx.check_hostname, ctx.verify_mode = False, ssl.CERT_NONE
feedparser_kws['handlers'] = [urllib2.HTTPSHandler(context=ctx)]
try:
self.fpf = feedparser.parse(self.feed.feed_url, agent=USER_AGENT,
etag=self.feed.etag if not self.options.force else '', **
feedparser_kws)
except KeyboardInterrupt:
raise
except:
if report_errors:
log.error('Feed cannot be parsed: {0} (#{1})'.format(self.feed.
feed_url, self.feed.id))
return FEED_ERRPARSE, ret_values
if hasattr(self.fpf, 'status'):
log.extra('[{0}] HTTP status {1}: {2}'.format(self.feed.id, self.
fpf.status, self.feed.feed_url))
if self.fpf.status == 304:
log.extra('[{0}] Feed has not changed since last check: {1}'.
format(self.feed.id, self.feed.feed_url))
self.feed.last_checked = timezone.now()
self.feed.save()
return FEED_SAME, ret_values
if self.fpf.status >= 400:
if report_errors:
log.warn('[{0}] HTTP error {1}: {2}'.format(self.feed.id,
self.fpf.status, self.feed.feed_url))
return FEED_ERRFETCH, ret_values
if self.fpf.bozo:
bozo = getattr(self.fpf, 'bozo_exception', 'unknown error')
if not self.feed.skip_errors:
if report_errors:
log.warn('[{0}] Failed to fetch feed: {1} ({2})'.format(
self.feed.id, self.feed.feed_url, bozo))
return FEED_ERRFETCH, ret_values
elif report_errors:
log.info('[{0}] Skipped feed error: {1} ({2})'.format(self.feed
.id, self.feed.feed_url, bozo))
self.feed.title = self.fpf.feed.get('title', '')[:200]
self.feed.tagline = self.fpf.feed.get('tagline', '')
self.feed.link = self.fpf.feed.get('link', '')
self.feed.last_checked = timezone.now()
log.debug('[{0}] Feed info for: {1}\n{2}'.format(self.feed.id, self.
feed.feed_url, '\n'.join(' {0}: {1}'.format(key, getattr(self.feed,
key)) for key in ['title', 'tagline', 'link', 'last_checked'])))
guids = filter(None, it.imap(self._get_guid, self.fpf.entries))
if guids:
from feedjack.models import Post
self.postdict = dict((post.guid, post) for post in Post.objects.
filter(feed=self.feed.id, guid__in=guids))
if self.options.max_diff:
if not self.postdict and Post.objects.filter(feed=self.feed.id
).count() == 0:
diff = 0
else:
diff = op.truediv(len(guids) - len(self.postdict), len(guids)
) * 100
if diff > self.options.max_diff:
log.warn(
'[{0}] Feed validation failed: {1} (diff: {2}% > {3}%)'
.format(self.feed.id, self.feed.feed_url, round(diff, 1
), self.options.max_diff))
return FEED_INVALID, ret_values
else:
self.postdict = dict()
self.feed.save()
for entry in self.fpf.entries:
try:
with transaction.atomic():
ret_entry = self.process_entry(entry)
except:
print_exc(self.feed.id)
ret_entry = ENTRY_ERR
ret_values[ret_entry] += 1
if not ret_values[ENTRY_ERR]:
self.feed.etag = self.fpf.get('etag') or ''
try:
self.feed.last_modified = feedparser_ts(self.fpf.modified_parsed)
except AttributeError:
pass
self.feed.save()
return FEED_OK if ret_values[ENTRY_NEW] or ret_values[ENTRY_UPDATED
] else FEED_SAME, ret_values
| process | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ret_values = {ENTRY_NEW: 0, ENTRY_UPDATED: 0, ENTRY_SAME: 0, ENTRY_ERR: 0}\n report_errors = (not self.options.report_after or not self.feed.\n last_checked or self.feed.last_checked + self.options.report_after <\n timezone.now())\n feedparser_kws = dict()\n if sys.hexversion >= 34015488 and not self.feed.verify_tls_certs:\n import urllib2, ssl\n ctx = ssl.create_default_context()\n ctx.check_hostname, ctx.verify_mode = False, ssl.CERT_NONE\n feedparser_kws['handlers'] = [urllib2.HTTPSHandler(context=ctx)]\n try:\n self.fpf = feedparser.parse(self.feed.feed_url, agent=USER_AGENT,\n etag=self.feed.etag if not self.options.force else '', **\n feedparser_kws)\n except KeyboardInterrupt:\n raise\n except:\n if report_errors:\n log.error('Feed cannot be parsed: {0} (#{1})'.format(self.feed.\n feed_url, self.feed.id))\n return FEED_ERRPARSE, ret_values\n if hasattr(self.fpf, 'status'):\n log.extra('[{0}] HTTP status {1}: {2}'.format(self.feed.id, self.\n fpf.status, self.feed.feed_url))\n if self.fpf.status == 304:\n log.extra('[{0}] Feed has not changed since last check: {1}'.\n format(self.feed.id, self.feed.feed_url))\n self.feed.last_checked = timezone.now()\n self.feed.save()\n return FEED_SAME, ret_values\n if self.fpf.status >= 400:\n if report_errors:\n log.warn('[{0}] HTTP error {1}: {2}'.format(self.feed.id,\n self.fpf.status, self.feed.feed_url))\n return FEED_ERRFETCH, ret_values\n if self.fpf.bozo:\n bozo = getattr(self.fpf, 'bozo_exception', 'unknown error')\n if not self.feed.skip_errors:\n if report_errors:\n log.warn('[{0}] Failed to fetch feed: {1} ({2})'.format(\n self.feed.id, self.feed.feed_url, bozo))\n return FEED_ERRFETCH, ret_values\n elif report_errors:\n log.info('[{0}] Skipped feed error: {1} ({2})'.format(self.feed\n .id, self.feed.feed_url, bozo))\n self.feed.title = self.fpf.feed.get('title', '')[:200]\n self.feed.tagline = self.fpf.feed.get('tagline', '')\n self.feed.link = self.fpf.feed.get('link', '')\n self.feed.last_checked = timezone.now()\n log.debug('[{0}] Feed info for: {1}\\n{2}'.format(self.feed.id, self.\n feed.feed_url, '\\n'.join(' {0}: {1}'.format(key, getattr(self.feed,\n key)) for key in ['title', 'tagline', 'link', 'last_checked'])))\n guids = filter(None, it.imap(self._get_guid, self.fpf.entries))\n if guids:\n from feedjack.models import Post\n self.postdict = dict((post.guid, post) for post in Post.objects.\n filter(feed=self.feed.id, guid__in=guids))\n if self.options.max_diff:\n if not self.postdict and Post.objects.filter(feed=self.feed.id\n ).count() == 0:\n diff = 0\n else:\n diff = op.truediv(len(guids) - len(self.postdict), len(guids)\n ) * 100\n if diff > self.options.max_diff:\n log.warn(\n '[{0}] Feed validation failed: {1} (diff: {2}% > {3}%)'\n .format(self.feed.id, self.feed.feed_url, round(diff, 1\n ), self.options.max_diff))\n return FEED_INVALID, ret_values\n else:\n self.postdict = dict()\n self.feed.save()\n for entry in self.fpf.entries:\n try:\n with transaction.atomic():\n ret_entry = self.process_entry(entry)\n except:\n print_exc(self.feed.id)\n ret_entry = ENTRY_ERR\n ret_values[ret_entry] += 1\n if not ret_values[ENTRY_ERR]:\n self.feed.etag = self.fpf.get('etag') or ''\n try:\n self.feed.last_modified = feedparser_ts(self.fpf.modified_parsed)\n except AttributeError:\n pass\n self.feed.save()\n return FEED_OK if ret_values[ENTRY_NEW] or ret_values[ENTRY_UPDATED\n ] else FEED_SAME, ret_values\n",
"role": "user"
},
{
"content": "process",
"role": "assistant"
}
] |
def x(bus_name, cur_station=None):
routines = query_routines(bus_name)
if not routines:
return
rv = []
for routine in routines:
bid = routine['bid']
_cur_station = cur_station or routine['starting_station']
page = _get_realtime_page(bus_name, bid, _cur_station)
rv.append(extract_bus_routine(page))
return rv
| query_realtime_routine | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bus_name, cur_station=None):\n routines = query_routines(bus_name)\n if not routines:\n return\n rv = []\n for routine in routines:\n bid = routine['bid']\n _cur_station = cur_station or routine['starting_station']\n page = _get_realtime_page(bus_name, bid, _cur_station)\n rv.append(extract_bus_routine(page))\n return rv\n",
"role": "user"
},
{
"content": "query_realtime_routine",
"role": "assistant"
}
] |
def x():
root = settings.MEDIA_ROOT.replace('\\', '/')
if not root.endswith('/'):
root += '/'
return path.Path(root)
| getRoot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n root = settings.MEDIA_ROOT.replace('\\\\', '/')\n if not root.endswith('/'):\n root += '/'\n return path.Path(root)\n",
"role": "user"
},
{
"content": "getRoot",
"role": "assistant"
}
] |
def x(video, error=None):
html = render_to_string('frog/video_email.html', {'user': video.author,
'error': error, 'video': video, 'SITE_URL': FROG_SITE_URL})
subject, from_email, to = 'Video Processing Finished{}'.format(error or ''
), 'noreply@frogmediaserver.com', video.author.email
text_content = 'This is an important message.'
html_content = html
send_mail(subject, text_content, from_email, [to], html_message=
html_content)
| emailUser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(video, error=None):\n html = render_to_string('frog/video_email.html', {'user': video.author,\n 'error': error, 'video': video, 'SITE_URL': FROG_SITE_URL})\n subject, from_email, to = 'Video Processing Finished{}'.format(error or ''\n ), 'noreply@frogmediaserver.com', video.author.email\n text_content = 'This is an important message.'\n html_content = html\n send_mail(subject, text_content, from_email, [to], html_message=\n html_content)\n",
"role": "user"
},
{
"content": "emailUser",
"role": "assistant"
}
] |
def x(self, key, *members, **kwargs):
xx = kwargs.pop('xx', False)
nx = kwargs.pop('nx', False)
ch = kwargs.pop('ch', False)
incr = kwargs.pop('incr', False)
command = [b'ZADD', key]
if xx:
command += ['XX']
if nx:
command += ['NX']
if ch:
command += ['CH']
if incr:
command += ['INCR']
if len(members) == 1:
for k in members[0]:
command += [k, members[0][k]]
else:
command += list(members)
return self._execute(command)
| zadd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, *members, **kwargs):\n xx = kwargs.pop('xx', False)\n nx = kwargs.pop('nx', False)\n ch = kwargs.pop('ch', False)\n incr = kwargs.pop('incr', False)\n command = [b'ZADD', key]\n if xx:\n command += ['XX']\n if nx:\n command += ['NX']\n if ch:\n command += ['CH']\n if incr:\n command += ['INCR']\n if len(members) == 1:\n for k in members[0]:\n command += [k, members[0][k]]\n else:\n command += list(members)\n return self._execute(command)\n",
"role": "user"
},
{
"content": "zadd",
"role": "assistant"
}
] |
def x(self, key, start=0, stop=-1, with_scores=False):
command = [b'ZRANGE', key, start, stop]
if with_scores:
command += ['WITHSCORES']
return self._execute(command)
| zrange | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, start=0, stop=-1, with_scores=False):\n command = [b'ZRANGE', key, start, stop]\n if with_scores:\n command += ['WITHSCORES']\n return self._execute(command)\n",
"role": "user"
},
{
"content": "zrange",
"role": "assistant"
}
] |
def x(self, key, min_score, max_score, with_scores=False, offset=0, count=0):
command = [b'ZRANGEBYSCORE', key, min_score, max_score]
if with_scores:
command += ['WITHSCORES']
if offset or count:
command += ['LIMIT', offset, count]
return self._execute(command)
| zrangebyscore | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, min_score, max_score, with_scores=False, offset=0, count=0):\n command = [b'ZRANGEBYSCORE', key, min_score, max_score]\n if with_scores:\n command += ['WITHSCORES']\n if offset or count:\n command += ['LIMIT', offset, count]\n return self._execute(command)\n",
"role": "user"
},
{
"content": "zrangebyscore",
"role": "assistant"
}
] |
def x(self, key, *members):
return self._execute([b'ZREM', key] + list(members))
| zrem | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, *members):\n return self._execute([b'ZREM', key] + list(members))\n",
"role": "user"
},
{
"content": "zrem",
"role": "assistant"
}
] |
def x(self, key, min_score, max_score):
return self._execute([b'ZREMRANGEBYSCORE', key, min_score, max_score])
| zremrangebyscore | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, min_score, max_score):\n return self._execute([b'ZREMRANGEBYSCORE', key, min_score, max_score])\n",
"role": "user"
},
{
"content": "zremrangebyscore",
"role": "assistant"
}
] |
def x(self, key, start=0, stop=-1, with_scores=False):
command = [b'ZREVRANGE', key, start, stop]
if with_scores:
command += ['WITHSCORES']
return self._execute(command)
| zrevrange | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, start=0, stop=-1, with_scores=False):\n command = [b'ZREVRANGE', key, start, stop]\n if with_scores:\n command += ['WITHSCORES']\n return self._execute(command)\n",
"role": "user"
},
{
"content": "zrevrange",
"role": "assistant"
}
] |
def x(stype, site_id=None, key=None):
base = '{0}.feedjack'.format(settings.CACHE_MIDDLEWARE_KEY_PREFIX)
if stype == T_HOST:
return '{0}.hostcache'.format(base)
elif stype == T_ITEM:
return '{0}.{1}.item.{2}'.format(base, site_id, str2md5(key))
elif stype == T_META:
return '{0}.{1}.meta'.format(base, site_id)
elif stype == T_INTERVAL:
return '{0}.interval.{1}'.format(base, str2md5(key))
| getkey | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stype, site_id=None, key=None):\n base = '{0}.feedjack'.format(settings.CACHE_MIDDLEWARE_KEY_PREFIX)\n if stype == T_HOST:\n return '{0}.hostcache'.format(base)\n elif stype == T_ITEM:\n return '{0}.{1}.item.{2}'.format(base, site_id, str2md5(key))\n elif stype == T_META:\n return '{0}.{1}.meta'.format(base, site_id)\n elif stype == T_INTERVAL:\n return '{0}.interval.{1}'.format(base, str2md5(key))\n",
"role": "user"
},
{
"content": "getkey",
"role": "assistant"
}
] |
def x(feed_id, parameters):
val = cache.get(getkey(T_INTERVAL, key=feed_interval_key(feed_id,
parameters)))
return val if isinstance(val, tuple) else (val, None)
| feed_interval_get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(feed_id, parameters):\n val = cache.get(getkey(T_INTERVAL, key=feed_interval_key(feed_id,\n parameters)))\n return val if isinstance(val, tuple) else (val, None)\n",
"role": "user"
},
{
"content": "feed_interval_get",
"role": "assistant"
}
] |
def x(feed_id, parameters, interval, interval_ts):
cache.set(getkey(T_INTERVAL, key=feed_interval_key(feed_id, parameters)
), (interval, interval_ts))
| feed_interval_set | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(feed_id, parameters, interval, interval_ts):\n cache.set(getkey(T_INTERVAL, key=feed_interval_key(feed_id, parameters)\n ), (interval, interval_ts))\n",
"role": "user"
},
{
"content": "feed_interval_set",
"role": "assistant"
}
] |
def x(feed_id, parameters):
cache.delete(getkey(T_INTERVAL, key=feed_interval_key(feed_id, parameters))
)
| feed_interval_delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(feed_id, parameters):\n cache.delete(getkey(T_INTERVAL, key=feed_interval_key(feed_id, parameters))\n )\n",
"role": "user"
},
{
"content": "feed_interval_delete",
"role": "assistant"
}
] |
def x(site, key, data):
tkey = getkey(T_ITEM, site.id, key)
mkey = getkey(T_META, site.id)
tmp = cache.get(mkey)
longdur = 365 * 24 * 60 * 60
if not tmp:
tmp = [tkey]
cache.set(mkey, [tkey], longdur)
elif tkey not in tmp:
tmp.append(tkey)
cache.set(mkey, tmp, longdur)
cache.set(tkey, data, site.cache_duration)
| cache_set | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(site, key, data):\n tkey = getkey(T_ITEM, site.id, key)\n mkey = getkey(T_META, site.id)\n tmp = cache.get(mkey)\n longdur = 365 * 24 * 60 * 60\n if not tmp:\n tmp = [tkey]\n cache.set(mkey, [tkey], longdur)\n elif tkey not in tmp:\n tmp.append(tkey)\n cache.set(mkey, tmp, longdur)\n cache.set(tkey, data, site.cache_duration)\n",
"role": "user"
},
{
"content": "cache_set",
"role": "assistant"
}
] |
def x(site_id):
mkey = getkey(T_META, site_id)
tmp = cache.get(mkey)
if not tmp:
return
for tkey in tmp:
cache.delete(tkey)
cache.delete(mkey)
| cache_delsite | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(site_id):\n mkey = getkey(T_META, site_id)\n tmp = cache.get(mkey)\n if not tmp:\n return\n for tkey in tmp:\n cache.delete(tkey)\n cache.delete(mkey)\n",
"role": "user"
},
{
"content": "cache_delsite",
"role": "assistant"
}
] |
def x(self, message):
cipher_text = _Ntlm1Session.encrypt(self, message)
signature = _Ntlm1Session.sign(self, message)
return cipher_text, signature
| wrap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n cipher_text = _Ntlm1Session.encrypt(self, message)\n signature = _Ntlm1Session.sign(self, message)\n return cipher_text, signature\n",
"role": "user"
},
{
"content": "wrap",
"role": "assistant"
}
] |
def x(self, message, signature):
plain_text = _Ntlm1Session.decrypt(self, message)
_Ntlm1Session.verify(self, plain_text, signature)
return plain_text
| unwrap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message, signature):\n plain_text = _Ntlm1Session.decrypt(self, message)\n _Ntlm1Session.verify(self, plain_text, signature)\n return plain_text\n",
"role": "user"
},
{
"content": "unwrap",
"role": "assistant"
}
] |
def x(flags, key):
if flags & NegotiateFlag.NTLMSSP_KEY_128:
return key
if flags & NegotiateFlag.NTLMSSP_NEGOTIATE_56:
return key[:7]
else:
return key[:5]
| weaken_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(flags, key):\n if flags & NegotiateFlag.NTLMSSP_KEY_128:\n return key\n if flags & NegotiateFlag.NTLMSSP_NEGOTIATE_56:\n return key[:7]\n else:\n return key[:5]\n",
"role": "user"
},
{
"content": "weaken_key",
"role": "assistant"
}
] |
def x(self, message):
hmac_context = hmac.new(self.outgoing_signing_key)
hmac_context.update(struct.pack('<i', self.outgoing_sequence) + message)
if self.key_exchange:
checksum = self.outgoing_seal.update(hmac_context.digest()[:8])
else:
checksum = hmac_context.digest()[:8]
mac = _Ntlm2MessageSignature()
mac['checksum'] = struct.unpack('<q', checksum)[0]
mac['sequence'] = self.outgoing_sequence
self.outgoing_sequence += 1
return str(mac)
| sign | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n hmac_context = hmac.new(self.outgoing_signing_key)\n hmac_context.update(struct.pack('<i', self.outgoing_sequence) + message)\n if self.key_exchange:\n checksum = self.outgoing_seal.update(hmac_context.digest()[:8])\n else:\n checksum = hmac_context.digest()[:8]\n mac = _Ntlm2MessageSignature()\n mac['checksum'] = struct.unpack('<q', checksum)[0]\n mac['sequence'] = self.outgoing_sequence\n self.outgoing_sequence += 1\n return str(mac)\n",
"role": "user"
},
{
"content": "sign",
"role": "assistant"
}
] |
def x(self, message, signature):
mac = _Ntlm2MessageSignature()
mac.from_string(signature)
if mac['sequence'] != self.incoming_sequence:
raise Exception('The message was not received in the correct sequence.'
)
checksum = struct.pack('<q', mac['checksum'])
if self.key_exchange:
checksum = self.incoming_seal.update(checksum)
hmac_context = hmac.new(self.incoming_signing_key)
hmac_context.update(struct.pack('<i', self.incoming_sequence) + message)
expected_checksum = hmac_context.digest()[:8]
if checksum != expected_checksum:
raise Exception('The message has been altered')
self.incoming_sequence += 1
| verify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message, signature):\n mac = _Ntlm2MessageSignature()\n mac.from_string(signature)\n if mac['sequence'] != self.incoming_sequence:\n raise Exception('The message was not received in the correct sequence.'\n )\n checksum = struct.pack('<q', mac['checksum'])\n if self.key_exchange:\n checksum = self.incoming_seal.update(checksum)\n hmac_context = hmac.new(self.incoming_signing_key)\n hmac_context.update(struct.pack('<i', self.incoming_sequence) + message)\n expected_checksum = hmac_context.digest()[:8]\n if checksum != expected_checksum:\n raise Exception('The message has been altered')\n self.incoming_sequence += 1\n",
"role": "user"
},
{
"content": "verify",
"role": "assistant"
}
] |
def x(self, message):
cipher_text = _Ntlm2Session.encrypt(self, message)
signature = _Ntlm2Session.sign(self, message)
return cipher_text, signature
| wrap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n cipher_text = _Ntlm2Session.encrypt(self, message)\n signature = _Ntlm2Session.sign(self, message)\n return cipher_text, signature\n",
"role": "user"
},
{
"content": "wrap",
"role": "assistant"
}
] |
def x(self, message, signature):
plain_text = _Ntlm2Session.decrypt(self, message)
_Ntlm2Session.verify(self, plain_text, signature)
return plain_text
| unwrap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message, signature):\n plain_text = _Ntlm2Session.decrypt(self, message)\n _Ntlm2Session.verify(self, plain_text, signature)\n return plain_text\n",
"role": "user"
},
{
"content": "unwrap",
"role": "assistant"
}
] |
def x(self, connection, now=None):
now = now if now else time.time()
try:
self.connections.remove(connection)
except ValueError:
return
else:
dead_count = self.dead_count.get(connection, 0) + 1
self.dead_count[connection] = dead_count
timeout = self.dead_timeout * 2 ** min(dead_count - 1, self.
timeout_cutoff)
self.dead.put((now + timeout, connection))
logger.warning(
'Connection %r has failed for %i times in a row, putting on %i second timeout.'
, connection, dead_count, timeout)
| mark_dead | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection, now=None):\n now = now if now else time.time()\n try:\n self.connections.remove(connection)\n except ValueError:\n return\n else:\n dead_count = self.dead_count.get(connection, 0) + 1\n self.dead_count[connection] = dead_count\n timeout = self.dead_timeout * 2 ** min(dead_count - 1, self.\n timeout_cutoff)\n self.dead.put((now + timeout, connection))\n logger.warning(\n 'Connection %r has failed for %i times in a row, putting on %i second timeout.'\n , connection, dead_count, timeout)\n",
"role": "user"
},
{
"content": "mark_dead",
"role": "assistant"
}
] |
def x(self, force=False):
if self.dead.empty():
return
try:
timeout, connection = self.dead.get(block=False)
except Empty:
return
if not force and timeout > time.time():
self.dead.put((timeout, connection))
return
self.connections.append(connection)
logger.info('Resurrecting connection %r (force=%s).', connection, force)
| resurrect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, force=False):\n if self.dead.empty():\n return\n try:\n timeout, connection = self.dead.get(block=False)\n except Empty:\n return\n if not force and timeout > time.time():\n self.dead.put((timeout, connection))\n return\n self.connections.append(connection)\n logger.info('Resurrecting connection %r (force=%s).', connection, force)\n",
"role": "user"
},
{
"content": "resurrect",
"role": "assistant"
}
] |
def x(self):
self.resurrect()
if not self.connections:
self.resurrect(True)
connection = self.selector.select(self.connections)
return connection
| get_connection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.resurrect()\n if not self.connections:\n self.resurrect(True)\n connection = self.selector.select(self.connections)\n return connection\n",
"role": "user"
},
{
"content": "get_connection",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
def x(view_fn):
@self.route(*args, **kwargs)
def x(*args, **kwargs):
fn_args = getargspec(view_fn)
try:
idx = fn_args.args.index(_ARG_KEY)
except ValueError:
idx = -1
if idx > -1:
if 'error' in flask_request.args:
return redirect('%s?error=%s' % (self.config.get(
'CANVAS_ERROR_URI', '/'), flask_request.args.get(
'error')))
if 'signed_request' not in flask_request.form:
self.logger.error('signed_request not in request.form')
abort(403)
try:
_, decoded_data = _decode_signed_user(*flask_request.
form['signed_request'].split('.'))
except ValueError as e:
self.logger.error(e.message)
abort(403)
if 'oauth_token' not in decoded_data:
app.logger.info('unauthorized user, redirecting')
return _authorize()
user = User(**decoded_data)
if not app.config.get('CANVAS_SKIP_AUTH_CHECK', False
) and not user.has_permissions():
self.logger.info(
'user does not have the required permission set.')
return _authorize()
self.logger.info('all required permissions have been granted')
args = args[:idx - 1] + (user,) + args[idx:]
return view_fn(*args, **kwargs)
return inner
return outer
| canvas_route | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n\n def x(view_fn):\n\n @self.route(*args, **kwargs)\n def x(*args, **kwargs):\n fn_args = getargspec(view_fn)\n try:\n idx = fn_args.args.index(_ARG_KEY)\n except ValueError:\n idx = -1\n if idx > -1:\n if 'error' in flask_request.args:\n return redirect('%s?error=%s' % (self.config.get(\n 'CANVAS_ERROR_URI', '/'), flask_request.args.get(\n 'error')))\n if 'signed_request' not in flask_request.form:\n self.logger.error('signed_request not in request.form')\n abort(403)\n try:\n _, decoded_data = _decode_signed_user(*flask_request.\n form['signed_request'].split('.'))\n except ValueError as e:\n self.logger.error(e.message)\n abort(403)\n if 'oauth_token' not in decoded_data:\n app.logger.info('unauthorized user, redirecting')\n return _authorize()\n user = User(**decoded_data)\n if not app.config.get('CANVAS_SKIP_AUTH_CHECK', False\n ) and not user.has_permissions():\n self.logger.info(\n 'user does not have the required permission set.')\n return _authorize()\n self.logger.info('all required permissions have been granted')\n args = args[:idx - 1] + (user,) + args[idx:]\n return view_fn(*args, **kwargs)\n return inner\n return outer\n",
"role": "user"
},
{
"content": "canvas_route",
"role": "assistant"
}
] |
def x(encoded_sig, encoded_data):
decoded_sig = _decode(encoded_sig)
decoded_data = loads(_decode(encoded_data))
if decoded_sig != hmac.new(app.config['CANVAS_CLIENT_SECRET'],
encoded_data, sha256).digest():
raise ValueError("sig doesn't match hash")
return decoded_sig, decoded_data
| decode_signed_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(encoded_sig, encoded_data):\n decoded_sig = _decode(encoded_sig)\n decoded_data = loads(_decode(encoded_data))\n if decoded_sig != hmac.new(app.config['CANVAS_CLIENT_SECRET'],\n encoded_data, sha256).digest():\n raise ValueError(\"sig doesn't match hash\")\n return decoded_sig, decoded_data\n",
"role": "user"
},
{
"content": "decode_signed_user",
"role": "assistant"
}
] |
def x(self, path, data=None, method='GET'):
url = '%s%s?access_token=%s' % ('https://graph.facebook.com', path,
self['oauth_token'])
req = Request(url, data=data)
req.get_method = lambda : method
return loads(urlopen(req).read())
| request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, data=None, method='GET'):\n url = '%s%s?access_token=%s' % ('https://graph.facebook.com', path,\n self['oauth_token'])\n req = Request(url, data=data)\n req.get_method = lambda : method\n return loads(urlopen(req).read())\n",
"role": "user"
},
{
"content": "request",
"role": "assistant"
}
] |
def x(self):
perms = self.request('/me/permissions')['data'][0].keys()
return all(k in perms for k in app.config['CANVAS_SCOPE'].split(','))
| has_permissions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n perms = self.request('/me/permissions')['data'][0].keys()\n return all(k in perms for k in app.config['CANVAS_SCOPE'].split(','))\n",
"role": "user"
},
{
"content": "has_permissions",
"role": "assistant"
}
] |
def x(post, parameter=DEFAULT_SIMILARITY_TIMESPAN):
from feedjack.models import Post
if isinstance(parameter, types.StringTypes):
parameter = int(parameter.strip())
similar = Post.objects.filtered(for_display=False).exclude(id=post.id
).filter(guid=post.guid)
if parameter:
similar = similar.filter(date_updated__gt=timezone.now() -
timedelta(seconds=parameter))
return not bool(similar.exists())
| same_guid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(post, parameter=DEFAULT_SIMILARITY_TIMESPAN):\n from feedjack.models import Post\n if isinstance(parameter, types.StringTypes):\n parameter = int(parameter.strip())\n similar = Post.objects.filtered(for_display=False).exclude(id=post.id\n ).filter(guid=post.guid)\n if parameter:\n similar = similar.filter(date_updated__gt=timezone.now() -\n timedelta(seconds=parameter))\n return not bool(similar.exists())\n",
"role": "user"
},
{
"content": "same_guid",
"role": "assistant"
}
] |
def x(post, parameter=None):
from feedjack.models import Post
threshold, timespan = (DEFAULT_SIMILARITY_THRESHOLD,
DEFAULT_SIMILARITY_TIMESPAN)
if parameter:
parameter = map(op.methodcaller('strip'), parameter.split(',', 1))
threshold = parameter.pop()
try:
threshold, timespan = parameter.pop(), threshold
except IndexError:
pass
threshold, timespan = float(threshold), int(timespan)
similar = Post.objects.filtered(for_display=False).exclude(id=post.id
).similar(threshold, title=post.title)
if timespan:
similar = similar.filter(date_updated__gt=timezone.now() -
timedelta(seconds=timespan))
return not bool(similar.exists())
| similar_title | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(post, parameter=None):\n from feedjack.models import Post\n threshold, timespan = (DEFAULT_SIMILARITY_THRESHOLD,\n DEFAULT_SIMILARITY_TIMESPAN)\n if parameter:\n parameter = map(op.methodcaller('strip'), parameter.split(',', 1))\n threshold = parameter.pop()\n try:\n threshold, timespan = parameter.pop(), threshold\n except IndexError:\n pass\n threshold, timespan = float(threshold), int(timespan)\n similar = Post.objects.filtered(for_display=False).exclude(id=post.id\n ).similar(threshold, title=post.title)\n if timespan:\n similar = similar.filter(date_updated__gt=timezone.now() -\n timedelta(seconds=timespan))\n return not bool(similar.exists())\n",
"role": "user"
},
{
"content": "similar_title",
"role": "assistant"
}
] |
def x(post, parameter=''):
for e in (post.enclosures or list()):
href = e.get('href')
if not href:
continue
if parameter and not re.search(parameter, e.get('type', '')):
continue
return dict(link=href)
| pick_enclosure_link | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(post, parameter=''):\n for e in (post.enclosures or list()):\n href = e.get('href')\n if not href:\n continue\n if parameter and not re.search(parameter, e.get('type', '')):\n continue\n return dict(link=href)\n",
"role": "user"
},
{
"content": "pick_enclosure_link",
"role": "assistant"
}
] |
def x(value, name):
logging.addLevelName(value, name)
setattr(logging, name, value)
| add_log_level | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, name):\n logging.addLevelName(value, name)\n setattr(logging, name, value)\n",
"role": "user"
},
{
"content": "add_log_level",
"role": "assistant"
}
] |
def x(self, msg, *args, **kw):
if self.isEnabledFor(NOTICE):
self._log(NOTICE, msg, args, **kw)
| notice | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg, *args, **kw):\n if self.isEnabledFor(NOTICE):\n self._log(NOTICE, msg, args, **kw)\n",
"role": "user"
},
{
"content": "notice",
"role": "assistant"
}
] |
def x(self, msg, *args, **kw):
if self.isEnabledFor(SPAM):
self._log(SPAM, msg, args, **kw)
| spam | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg, *args, **kw):\n if self.isEnabledFor(SPAM):\n self._log(SPAM, msg, args, **kw)\n",
"role": "user"
},
{
"content": "spam",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.