source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(path):
if path[0] != os.path.sep:
return os.path.sep + path
else:
return path
| pfx_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n if path[0] != os.path.sep:\n return os.path.sep + path\n else:\n return path\n",
"role": "user"
},
{
"content": "pfx_p... |
def x(path, data):
with open(path, 'w') as f:
f.write(data)
f.flush()
| file_put_contents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, data):\n with open(path, 'w') as f:\n f.write(data)\n f.flush()\n",
"role": "user"
},
{
"content": "file_put_contents",
... |
def x(path, default, function=None):
try:
result = file_get_contents(path)
if function != None:
return function(result)
return result
except IOError as e:
if e.errno == errno.ENOENT:
return default
raise
| file_or_default | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, default, function=None):\n try:\n result = file_get_contents(path)\n if function != None:\n return function(result)\n ... |
def x(path):
if path[-1] not in ['/']:
path += '/'
path = os.path.dirname(path)
if path != '':
try:
os.makedirs(path)
except OSError:
pass
| make_dirs_if_dont_exist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n if path[-1] not in ['/']:\n path += '/'\n path = os.path.dirname(path)\n if path != '':\n try:\n os.makedirs(path)\n... |
def x(*args):
rooted = True if args[0].startswith('/') else False
def x(a):
return a[1:] if a.startswith('/') else a
newargs = [deslash(arg) for arg in args]
path = os.path.join(*newargs)
if rooted:
path = os.path.sep + path
return path
| cpjoin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args):\n rooted = True if args[0].startswith('/') else False\n\n def x(a):\n return a[1:] if a.startswith('/') else a\n newargs = [deslash(arg... |
def x(f_path, int_path):
return {'path': force_unicode(int_path), 'created': os.path.getctime(
f_path), 'last_mod': os.path.getmtime(f_path)}
| get_single_file_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f_path, int_path):\n return {'path': force_unicode(int_path), 'created': os.path.getctime(\n f_path), 'last_mod': os.path.getmtime(f_path)}\n",
"... |
def x(file_path, block_size=65536):
sha = hashlib.sha256()
with open(file_path, 'rb') as h_file:
file_buffer = h_file.read(block_size)
while len(file_buffer) > 0:
sha.update(file_buffer)
file_buffer = h_file.read(block_size)
return sha.hexdigest()
| hash_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_path, block_size=65536):\n sha = hashlib.sha256()\n with open(file_path, 'rb') as h_file:\n file_buffer = h_file.read(block_size)\n wh... |
def x(path):
f_list = []
def x(path, newpath=os.path.sep):
files = os.listdir(path)
for fle in files:
f_path = cpjoin(path, fle)
if os.path.isdir(f_path):
recur_dir(f_path, cpjoin(newpath, fle))
elif os.path.isfile(f_path):
f_list.append(get_single_file_info(f_path, cpjoin(newpath,
fle)))
recur_dir(path)
return f_list
| get_file_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n f_list = []\n\n def x(path, newpath=os.path.sep):\n files = os.listdir(path)\n for fle in files:\n f_path = cpjoin(path... |
def x(new_file_state, old_file_state):
prev_state_dict = copy.deepcopy(old_file_state)
changed_files = {}
for itm in new_file_state:
if itm['path'] in prev_state_dict:
d_itm = prev_state_dict.pop(itm['path'])
if itm['last_mod'] != d_itm['last_mod']:
n_itm = itm.copy()
n_itm['status'] = 'changed'
changed_files[itm['path']] = n_itm
else:
pass
else:
n_itm = itm.copy()
n_itm['status'] = 'new'
changed_files[itm['path']] = n_itm
for itm in prev_state_dict.itervalues():
n_itm = itm.copy()
n_itm['status'] = 'deleted'
changed_files[itm['path']] = n_itm
return changed_files
| find_manifest_changes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(new_file_state, old_file_state):\n prev_state_dict = copy.deepcopy(old_file_state)\n changed_files = {}\n for itm in new_file_state:\n if itm['... |
def x(msg):
res = hashlib.sha256(hashlib.sha256(msg).digest())
return res
| shasha | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(msg):\n res = hashlib.sha256(hashlib.sha256(msg).digest())\n return res\n",
"role": "user"
},
{
"content": "shasha",
"role": "assistant"
... |
def x(msg):
ripe = hashlib.new('ripemd160')
ripe.update(hashlib.sha256(msg).digest())
return ripe
| ripesha | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(msg):\n ripe = hashlib.new('ripemd160')\n ripe.update(hashlib.sha256(msg).digest())\n return ripe\n",
"role": "user"
},
{
"content": "ripe... |
def x(rawkey, compressed=True, net=BC):
k = net.wifprefix + rawkey
if compressed:
k += b'\x01'
chksum = shasha(k).digest()[:4]
key = k + chksum
b58key = b58encode(key)
return b58key
| privkey_to_wif | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rawkey, compressed=True, net=BC):\n k = net.wifprefix + rawkey\n if compressed:\n k += b'\\x01'\n chksum = shasha(k).digest()[:4]\n key = k ... |
def x(wif, compressed=True, net=BC):
key = b58decode(wif)
version, raw, check = key[0:1], key[1:-4], key[-4:]
assert version == net.wifprefix, 'unexpected version byte'
check_compare = shasha(version + raw).digest()[:4]
assert check_compare == check
if compressed:
raw = raw[:-1]
return raw
| wif_to_privkey | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(wif, compressed=True, net=BC):\n key = b58decode(wif)\n version, raw, check = key[0:1], key[1:-4], key[-4:]\n assert version == net.wifprefix, 'unexpe... |
def x(filename):
for archive in archive_formats:
if filename.endswith(archive_formats[archive]['suffix']):
return True
return False
| is_archive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n for archive in archive_formats:\n if filename.endswith(archive_formats[archive]['suffix']):\n return True\n return False\n... |
def x(filename):
for archive in archive_formats:
if filename.endswith(archive_formats[archive]['suffix']):
return filename.rstrip('.' + archive_formats[archive]['suffix'])
return False
| archive_basename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n for archive in archive_formats:\n if filename.endswith(archive_formats[archive]['suffix']):\n return filename.rstrip('.' + ar... |
def x(filename, output_dir='.'):
if not os.path.exists(output_dir):
os.makedirs(output_dir)
for archive in archive_formats:
if filename.endswith(archive_formats[archive]['suffix']):
return subprocess.call(archive_formats[archive]['command'](
output_dir, filename)) == 0
return False
| unarchive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, output_dir='.'):\n if not os.path.exists(output_dir):\n os.makedirs(output_dir)\n for archive in archive_formats:\n if filename.e... |
def x(nested_list):
return_list = []
for i in nested_list:
if isinstance(i, list):
return_list += flatten(i)
else:
return_list.append(i)
return return_list
| flatten | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(nested_list):\n return_list = []\n for i in nested_list:\n if isinstance(i, list):\n return_list += flatten(i)\n else:\n ... |
def x(fname, msg):
with open(fname, 'a') as f:
f.write(datetime.datetime.now().strftime('%m-%d-%Y %H:%M:\n') + msg +
'\n')
| log | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fname, msg):\n with open(fname, 'a') as f:\n f.write(datetime.datetime.now().strftime('%m-%d-%Y %H:%M:\\n') + msg +\n '\\n')\n",
"role... |
def x(filename):
buffer_size = 10 * 1024 * 1024
m = hashlib.md5()
with open(filename) as f:
buff = f.read(buffer_size)
while len(buff) > 0:
m.update(buff)
buff = f.read(buffer_size)
dig = m.digest()
return ''.join([('%x' % ord(x)) for x in dig])
| hash | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n buffer_size = 10 * 1024 * 1024\n m = hashlib.md5()\n with open(filename) as f:\n buff = f.read(buffer_size)\n while len(buf... |
def x(string):
m = hashlib.md5()
m.update(string)
dig = m.digest()
return ''.join([('%x' % ord(x)) for x in dig])
| hash_str | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n m = hashlib.md5()\n m.update(string)\n dig = m.digest()\n return ''.join([('%x' % ord(x)) for x in dig])\n",
"role": "user"
},
{... |
def x(file):
mdfind = which('mdfind')
if mdfind:
out = run([mdfind, '-name', file], stderr=None, quiet=None)
if out.return_code == 0 and out.output:
for fname in out.output.split('\n'):
if os.path.basename(fname) == file:
return fname
locate = which('locate')
if locate:
out = run([locate, file], stderr=None, quiet=None)
if out.return_code == 0 and out.output:
for fname in out.output.split('\n'):
if os.path.basename(fname) == file:
return fname
path_search = os.environ['PATH'].split(os.pathsep)
path_search += ['/usr/local/afni', '/usr/local/afni/atlases',
'/usr/local/share', '/usr/local/share/afni',
'/usr/local/share/afni/atlases']
afni_path = which('afni')
if afni_path:
path_search.append(os.path.dirname(afni_path))
if nl.wrappers.fsl.bet2:
path_search.append(os.path.dirname(nl.wrappers.fsl.bet2))
for path in path_search:
path = path.strip('"')
try:
if file in os.listdir(path):
return os.path.join(path, file)
except:
pass
| find | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file):\n mdfind = which('mdfind')\n if mdfind:\n out = run([mdfind, '-name', file], stderr=None, quiet=None)\n if out.return_code == 0 and ... |
def x(fname):
with open(fname, 'rU') as f:
data = f.read()
enc_guess = chardet.detect(data)
return data.decode(enc_guess['encoding'])
| universal_read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fname):\n with open(fname, 'rU') as f:\n data = f.read()\n enc_guess = chardet.detect(data)\n return data.decode(enc_guess['encoding'])\n",
... |
def x(array, invalid=None):
array = np.array(array)
none_indices = np.where(np.any(np.equal(array, invalid), axis=0))
return tuple(np.delete(array, none_indices, axis=1))
| strip_rows | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(array, invalid=None):\n array = np.array(array)\n none_indices = np.where(np.any(np.equal(array, invalid), axis=0))\n return tuple(np.delete(array, no... |
def x(string):
if not isinstance(string, basestring):
return string
just_int = '^\\s*[-+]?\\d+\\s*$'
just_float = '^\\s*[-+]?\\d+\\.(\\d+)?\\s*$'
if re.match(just_int, string):
return int(string)
if re.match(just_float, string):
return float(string)
return string
| numberize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n if not isinstance(string, basestring):\n return string\n just_int = '^\\\\s*[-+]?\\\\d+\\\\s*$'\n just_float = '^\\\\s*[-+]?\\\\d+\\... |
def x(self):
if not os.path.exists(self.packet_file()):
return True
else:
try:
with open(self.packet_file()) as f:
packet = json.loads(f.read())
if time.time() - packet['last_time'] > 3.0 * packet['poll_time']:
return True
else:
return False
except:
time.sleep(random.random() * 2)
return self.check_packet()
| check_packet | [
{
"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 os.path.exists(self.packet_file()):\n return True\n else:\n try:\n with open(self.packet_file()) as f:\n ... |
def x(method='THREE COIN'):
if method == 'THREE COIN':
weights = [('MOVING YANG', 2), ('MOVING YIN', 2), ('STATIC YANG', 6
), ('STATIC YIN', 6)]
elif method == 'YARROW':
weights = [('MOVING YANG', 8), ('MOVING YIN', 2), ('STATIC YANG',
11), ('STATIC YIN', 17)]
elif method == 'NAIVE':
return random.randint(1, 64)
else:
raise ValueError('`method` value of "{}" is invalid')
hexagram_1 = []
hexagram_2 = []
for i in range(6):
roll = weighted_choice(weights)
if roll == 'MOVING YANG':
hexagram_1.append(1)
hexagram_2.append(0)
elif roll == 'MOVING YIN':
hexagram_1.append(0)
hexagram_2.append(1)
elif roll == 'STATIC YANG':
hexagram_1.append(1)
hexagram_2.append(1)
else:
hexagram_1.append(0)
hexagram_2.append(0)
hexagram_1 = tuple(hexagram_1)
hexagram_2 = tuple(hexagram_2)
return _hexagram_dict[hexagram_1], _hexagram_dict[hexagram_2]
| get_hexagram | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(method='THREE COIN'):\n if method == 'THREE COIN':\n weights = [('MOVING YANG', 2), ('MOVING YIN', 2), ('STATIC YANG', 6\n ), ('STATIC YIN... |
def x(netid):
url = _netid_supported_url(netid)
response = get_resource(url)
return _json_to_supported(response)
| get_supported_resources | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(netid):\n url = _netid_supported_url(netid)\n response = get_resource(url)\n return _json_to_supported(response)\n",
"role": "user"
},
{
"... |
def x(response_body):
data = json.loads(response_body)
supported = []
for supported_data in data.get('supportedList', []):
supported.append(Supported().from_json(supported_data))
return supported
| json_to_supported | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(response_body):\n data = json.loads(response_body)\n supported = []\n for supported_data in data.get('supportedList', []):\n supported.append(S... |
def x(parser):
default_log_path = os.path.realpath('logs')
parser.add_argument('--log-dir', metavar='LOG', type=str, dest='logdir',
default=default_log_path, help=
'Base directory used for logging (defaults to "%(default)s")')
q_choices = ('default', 'all.q', 'q_1day', 'q1d', 'q_1week', 'q1w',
'q_1month', 'q1m', 'q_1day_mth', 'q1dm', 'q_1week_mth', 'q1wm',
'q_gpu', 'gpu', 'q_long_gpu', 'lgpu', 'q_short_gpu', 'sgpu')
parser.add_argument('--queue-name', metavar='QUEUE', type=str, dest=
'queue', default=q_choices[0], choices=q_choices, help=
'Queue for submission - one of ' + '|'.join(q_choices) +
' (defaults to "%(default)s")')
parser.add_argument('--hostname', metavar='HOSTNAME', type=str, dest=
'hostname', default=None, help=
'If set, it asks the queue to use only a subset of the available nodes'
)
parser.add_argument('--memfree', metavar='MEMFREE', type=str, dest=
'memfree', default=None, help="Adds the '-l mem_free' argument to qsub"
)
parser.add_argument('--hvmem', metavar='HVMEM', type=str, dest='hvmem',
default=None, help="Adds the '-l h_vmem' argument to qsub")
parser.add_argument('--pe-opt', metavar='PE_OPT', type=str, dest=
'pe_opt', default=None, help="Adds the '--pe ' argument to qsub")
parser.add_argument('--no-cwd', default=True, action='store_false',
dest='cwd', help=
'Do not change to the current directory when starting the grid job')
parser.add_argument('--dry-run', default=False, action='store_true',
dest='dryrun', help=
'Does not really submit anything, just print what would do instead')
parser.add_argument('--job-database', default=None, dest='statefile',
help=
'The path to the state file that will be created with the submissions (defaults to the parent directory of your logs directory)'
)
return parser
| add_arguments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parser):\n default_log_path = os.path.realpath('logs')\n parser.add_argument('--log-dir', metavar='LOG', type=str, dest='logdir',\n default=defaul... |
def x(arguments):
if arguments.statefile is None:
arguments.statefile = os.path.join(os.path.dirname(arguments.logdir
), 'submitted.db')
arguments.statefile = os.path.realpath(arguments.statefile)
return manager.JobManager(statefile=arguments.statefile)
| create_manager | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(arguments):\n if arguments.statefile is None:\n arguments.statefile = os.path.join(os.path.dirname(arguments.logdir\n ), 'submitted.db')\n... |
def x(jman, command, arguments, deps=[], array=None):
logdir = os.path.join(os.path.realpath(arguments.logdir), tools.
random_logdir())
jobname = os.path.splitext(os.path.basename(command[0]))[0]
cmd = tools.make_shell(sys.executable, command)
if arguments.dryrun:
return DryRunJob(cmd, cwd=arguments.cwd, queue=arguments.queue,
hostname=arguments.hostname, memfree=arguments.memfree, hvmem=
arguments.hvmem, gpumem=arguments.gpumem, pe_opt=arguments.
pe_opt, stdout=logdir, stderr=logdir, name=jobname, deps=deps,
array=array)
return jman.submit(cmd, cwd=arguments.cwd, queue=arguments.queue,
hostname=arguments.hostname, memfree=arguments.memfree, hvmem=
arguments.hvmem, gpumem=arguments.gpumem, pe_opt=arguments.pe_opt,
stdout=logdir, stderr=logdir, name=jobname, deps=deps, array=array)
| submit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(jman, command, arguments, deps=[], array=None):\n logdir = os.path.join(os.path.realpath(arguments.logdir), tools.\n random_logdir())\n jobname = ... |
def x(self, text):
n = self.n
sentences = re.split('(?<!\\w\\.\\w.)(?<![A-Z][a-z]\\.)(?<=\\.|\\?|!)\\s',
text)
for sentence in sentences:
sentence = sentence.replace('"', '')
words = sentence.strip().split()
if len(words) == 0:
continue
self.word_dict['',][words[0]].count += 1
for j in range(1, n + 1):
for i in range(len(words) - 1):
if i + j >= len(words):
continue
word = tuple(words[i:i + j])
self.word_dict[word][words[i + j]].count += 1
self.word_dict[tuple(words[len(words) - j:len(words)])][''
].count += 1
for word in self.word_dict:
wordsum = 0
for nextword in self.word_dict[word]:
wordsum += self.word_dict[word][nextword].count
if wordsum != 0:
for nextword in self.word_dict[word]:
self.word_dict[word][nextword].prob = self.word_dict[word][
nextword].count / wordsum
| add_to_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n n = self.n\n sentences = re.split('(?<!\\\\w\\\\.\\\\w.)(?<![A-Z][a-z]\\\\.)(?<=\\\\.|\\\\?|!)\\\\s',\n text)\n for sentence in ... |
def x(self, previous_words):
previous_words = tuple(previous_words)
if previous_words != ('',):
while previous_words not in self.word_dict:
previous_words = tuple(previous_words[1:])
if not previous_words:
return ''
frequencies = self.word_dict[previous_words]
inv = [(v.prob, k) for k, v in frequencies.items()]
p, w = zip(*inv)
return np.random.choice(w, 1, p)[0]
| next_word | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, previous_words):\n previous_words = tuple(previous_words)\n if previous_words != ('',):\n while previous_words not in self.word_dict:\n ... |
def x(current_block: dict, source: dict, from_pubkey: str, to_pubkey: str
) ->Transaction:
inputs = [InputSource(amount=source['amount'], base=source['base'],
source=source['type'], origin_id=source['identifier'], index=source
['noffset'])]
issuers = [from_pubkey]
unlocks = [Unlock(index=0, parameters=[SIGParameter(0)])]
outputs = [OutputSource(amount=source['amount'], base=source['base'],
condition='SIG({0})'.format(to_pubkey))]
transaction = Transaction(version=TRANSACTION_VERSION, currency=
current_block['currency'], blockstamp=BlockUID(current_block[
'number'], current_block['hash']), locktime=0, issuers=issuers,
inputs=inputs, unlocks=unlocks, outputs=outputs, comment='',
signatures=[])
return transaction
| get_transaction_document | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current_block: dict, source: dict, from_pubkey: str, to_pubkey: str\n ) ->Transaction:\n inputs = [InputSource(amount=source['amount'], base=source['base... |
async def main():
"""
Main code
"""
client = Client(BMAS_ENDPOINT)
response = await client(bma.node.summary)
print(response)
salt = getpass.getpass('Enter your passphrase (salt): ')
password = getpass.getpass('Enter your password: ')
key = SigningKey.from_credentials(salt, password)
pubkey_from = key.pubkey
pubkey_to = input('Enter recipient pubkey: ')
current_block = await client(bma.blockchain.current)
response = await client(bma.tx.sources, pubkey_from)
if len(response['sources']) == 0:
print('no sources found for account %s' % pubkey_to)
exit(1)
source = response['sources'][0]
transaction = get_transaction_document(current_block, source,
pubkey_from, pubkey_to)
transaction.sign([key])
response = await client(bma.tx.process, transaction.signed_raw())
if response.status == 200:
print(await response.text())
else:
print('Error while publishing transaction: {0}'.format(await
response.text()))
await client.close()
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def main():\n \"\"\"\n Main code\n \"\"\"\n client = Client(BMAS_ENDPOINT)\n response = await client(bma.node.summary)\n print(response)\n ... |
def x(obj: Any, candidate_type: Any, reltype: str='invariant') ->bool:
if reltype not in ['invariant', 'covariant', 'contravariant']:
raise ValueError(f' Variadic type {reltype} is unknown')
if type(candidate_type) == type and reltype in ['invariant']:
return isinstance(obj, candidate_type)
if type(candidate_type) == type and reltype in ['covariant']:
return issubclass(obj.__class__, candidate_type)
if type(candidate_type) == type and reltype in ['contravariant']:
return issubclass(candidate_type, obj.__class__)
if type(candidate_type) == type(Any):
return True
if type(candidate_type) == type(Union):
return any(check_type(obj, t, reltype) for t in candidate_type.__args__
)
if type(candidate_type) == type(Tuple
) and tuple in candidate_type.__bases__:
if not hasattr(obj, '__len__'):
return False
if len(candidate_type.__args__) != len(obj):
return False
return all(check_type(o, t, reltype) for o, t in zip(obj,
candidate_type.__args__))
if type(candidate_type) == type(Dict) and dict in candidate_type.__bases__:
if type(obj) != dict:
return False
return all(check_type(k, candidate_type.__args__[0], reltype) and
check_type(v, candidate_type.__args__[1], reltype) for k, v in
obj.items())
if type(candidate_type) == type(List) and (list in candidate_type.
__bases__ or set in candidate_type.__bases__):
if not hasattr(obj, '__len__'):
return False
return all(check_type(o, candidate_type.__args__[0], reltype) for o in
obj)
if type(candidate_type) == TypeVar:
if not candidate_type.__constraints__:
return True
if not (candidate_type.__covariant__ or candidate_type.
__contravariant__):
return any(check_type(obj, t) for t in candidate_type.
__constraints__)
if type(candidate_type) == type(Type):
return check_type(obj, candidate_type.__args__[0], reltype='covariant')
if inspect.isclass(candidate_type) and reltype in ['invariant']:
return isinstance(obj, candidate_type)
raise ValueError(f'Cannot check against {reltype} type {candidate_type}')
| check_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj: Any, candidate_type: Any, reltype: str='invariant') ->bool:\n if reltype not in ['invariant', 'covariant', 'contravariant']:\n raise ValueError(... |
def x(func):
@wraps(func)
def x(*args, **kwargs):
sig = inspect.signature(func)
found_errors = []
binding = None
try:
binding = sig.bind(*args, **kwargs)
except TypeError as te:
for name, metadata in sig.parameters.items():
if metadata.default == inspect.Parameter.empty:
error_in_case = ('missing a required argument: {arg!r}'
.format(arg=name))
if str(te) == error_in_case:
found_errors.append(IssueDescription(name, sig.
parameters[name].annotation, None, True))
if not found_errors:
raise DetailedTypeError([IssueDescription(None, None, None,
None, str(te))])
raise DetailedTypeError(found_errors)
for name, value in binding.arguments.items():
if not check_type(value, sig.parameters[name].annotation):
found_errors.append(IssueDescription(name, sig.parameters[
name].annotation, value, False))
if found_errors:
raise DetailedTypeError(found_errors)
return func(*args, **kwargs)
return check
| check_args | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func):\n\n @wraps(func)\n def x(*args, **kwargs):\n sig = inspect.signature(func)\n found_errors = []\n binding = None\n try:... |
def x(self, root, parents):
parents.append(tools.argparser)
parser = root.add_parser('auth', parents=parents)
parser.set_defaults(func=self)
parser.add_argument('--secrets', dest='secrets', action='store', help=
'Path to the authorization secrets file (client_secrets.json).')
return parser
| add_argparser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, root, parents):\n parents.append(tools.argparser)\n parser = root.add_parser('auth', parents=parents)\n parser.set_defaults(func=self)\n pars... |
def x(self, config):
self.pre_configure()
self.config = config
if not self.has_revision_file():
touch_file(self.revfile_path)
self.history.load(self.revfile_path)
self.archiver.target_path = self.dest_path
self.archiver.zip_path = self.tmp_file_path
self.state.state_path = os.path.join(REVISION_HOME, 'clients', self.key)
self.state.prepare()
self.post_configure()
self.prepared = True
| add_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, config):\n self.pre_configure()\n self.config = config\n if not self.has_revision_file():\n touch_file(self.revfile_path)\n self.histo... |
def x(self):
filename = self.key
if self.has_revision_file() and self.history.current_revision:
filename += '-'
filename += self.history.current_revision.revision_id
filename += '.zip'
return filename
| filename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n filename = self.key\n if self.has_revision_file() and self.history.current_revision:\n filename += '-'\n filename += self.history.... |
def x(self):
current_revision = self.history.current_revision
revision_id = self.state.revision_id
return current_revision.revision_id != revision_id
| has_commit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n current_revision = self.history.current_revision\n revision_id = self.state.revision_id\n return current_revision.revision_id != revision_id\... |
def x(self):
return os.path.normpath(os.path.join(os.getcwd(), self.config.
revision_file))
| revfile_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return os.path.normpath(os.path.join(os.getcwd(), self.config.\n revision_file))\n",
"role": "user"
},
{
"content": "revfile_pat... |
def x(self):
return os.path.normpath(os.path.join(self.dest_path, self.config.info_file)
)
| infofile_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return os.path.normpath(os.path.join(self.dest_path, self.config.info_file)\n )\n",
"role": "user"
},
{
"content": "infofile_pat... |
def x(self):
if os.path.isabs(self.config.local_path):
return self.config.local_path
else:
return os.path.normpath(os.path.join(os.getcwd(), self.config.
local_path))
| dest_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if os.path.isabs(self.config.local_path):\n return self.config.local_path\n else:\n return os.path.normpath(os.path.join(os.getcwd... |
def x(self):
return os.path.normpath(os.path.join(TMP_DIR, self.filename))
| tmp_file_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return os.path.normpath(os.path.join(TMP_DIR, self.filename))\n",
"role": "user"
},
{
"content": "tmp_file_path",
"role": "assistan... |
def x(self, revision):
if not isinstance(revision, Revision):
raise InvalidArgType()
self.state.update(revision)
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, revision):\n if not isinstance(revision, Revision):\n raise InvalidArgType()\n self.state.update(revision)\n",
"role": "user"
},
{
... |
def x(self):
if self.history.current_revision is None:
return self.state.revision_id is not None
current_revision_id = self.history.current_revision.revision_id
return self.state.revision_id != current_revision_id
| has_new_revision | [
{
"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.history.current_revision is None:\n return self.state.revision_id is not None\n current_revision_id = self.history.current_revisi... |
def x(self, key, name_spaces=None, default_prefix=''):
source = self.source or key
prefix = default_prefix
if name_spaces and self.name_space and self.name_space in name_spaces:
prefix = ''.join([name_spaces[self.name_space], ':'])
return ''.join([prefix, source])
| get_source | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, name_spaces=None, default_prefix=''):\n source = self.source or key\n prefix = default_prefix\n if name_spaces and self.name_space and self... |
def x(self, raw_data, **kwargs):
try:
converted_data = int(raw_data)
return super(IntegerField, self).validate(converted_data)
except ValueError:
raise ValidationException(self.messages['invalid'], repr(raw_data))
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, raw_data, **kwargs):\n try:\n converted_data = int(raw_data)\n return super(IntegerField, self).validate(converted_data)\n except Val... |
def x(self, raw_data, **kwargs):
try:
converted_data = float(raw_data)
super(FloatField, self).validate(converted_data, **kwargs)
return raw_data
except ValueError:
raise ValidationException(self.messages['invalid'], repr(raw_data))
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, raw_data, **kwargs):\n try:\n converted_data = float(raw_data)\n super(FloatField, self).validate(converted_data, **kwargs)\n ret... |
def x(self, raw_data, **kwargs):
super(BooleanField, self).validate(raw_data, **kwargs)
if isinstance(raw_data, string_types):
valid_data = raw_data.strip().lower() == 'true'
elif isinstance(raw_data, bool):
valid_data = raw_data
else:
valid_data = raw_data > 0
return valid_data
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, raw_data, **kwargs):\n super(BooleanField, self).validate(raw_data, **kwargs)\n if isinstance(raw_data, string_types):\n valid_data = raw_da... |
def x(self, raw_data, **kwargs):
super(DateTimeField, self).validate(raw_data, **kwargs)
try:
if isinstance(raw_data, datetime.datetime):
self.converted = raw_data
elif self.serial_format is None:
self.converted = parse(raw_data)
else:
self.converted = datetime.datetime.strptime(raw_data, self.
serial_format)
return raw_data
except (ParseError, ValueError) as e:
msg = self.messages['parse'] % dict(cls=self.__class__.__name__,
data=raw_data, format=self.serial_format)
raise ValidationException(msg, raw_data)
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, raw_data, **kwargs):\n super(DateTimeField, self).validate(raw_data, **kwargs)\n try:\n if isinstance(raw_data, datetime.datetime):\n ... |
def x(self, raw_data, **kwargs):
super(DateTimeField, self).deserialize(raw_data, **kwargs)
return self.converted
| deserialize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, raw_data, **kwargs):\n super(DateTimeField, self).deserialize(raw_data, **kwargs)\n return self.converted\n",
"role": "user"
},
{
"cont... |
def x(blog_url, content):
content = re.sub('<img.src="%s(.*)"' % blog_url, lambda s:
'<img src="%s"' % _get_relative_upload(s.groups(1)[0]), content)
return content
| clean_post_content | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(blog_url, content):\n content = re.sub('<img.src=\"%s(.*)\"' % blog_url, lambda s: \n '<img src=\"%s\"' % _get_relative_upload(s.groups(1)[0]), conte... |
def x(self, name, handler):
if name in self.conversion_table:
warnings.warn(
u'Конвертирующий тип с именем {} уже существует и будет перезаписан!'
.format(name))
self.conversion_table[name] = handler
| register_conversion_handler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, handler):\n if name in self.conversion_table:\n warnings.warn(\n u'Конвертирующий тип с именем {} уже существует и будет перез... |
def x(self, name):
try:
handler = self.conversion_table[name]
except KeyError:
raise KeyError(
u'Конвертирующий тип с именем {} отсутствует в таблице соответствия!'
.format(name))
return handler
| conversion_handler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n try:\n handler = self.conversion_table[name]\n except KeyError:\n raise KeyError(\n u'Конвертирующий тип с именем... |
def x(self, key, default=None):
segments = key.split('.')
result = reduce(lambda dct, k: dct and dct.get(k) or None, segments,
self.data)
return result or default
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, default=None):\n segments = key.split('.')\n result = reduce(lambda dct, k: dct and dct.get(k) or None, segments,\n self.data)\n ret... |
def x(self, key, conversion_type, default=None):
if not self.has_param(key):
return default
value = self.get(key, default=default)
handler = self.conversion_handler(conversion_type)
try:
value = handler(value)
except Exception as exc:
raise ConversionTypeError(
u'Произошла ошибка при попытке преобразования типа: {}'.format(exc)
)
return value
| get_converted | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, conversion_type, default=None):\n if not self.has_param(key):\n return default\n value = self.get(key, default=default)\n handler = ... |
def x(self, key, conversion_func, default=None):
if not self.has_param(key):
return default
value = self.get(key, default=default)
try:
value = conversion_func(value)
except Exception as exc:
raise ConversionTypeError(
u'Произошла ошибка при попытке преобразования типа: {}'.format(exc)
)
return value
| get_by_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, conversion_func, default=None):\n if not self.has_param(key):\n return default\n value = self.get(key, default=default)\n try:\n ... |
def x(self, key, default=None):
return self.get_converted(key, ConversionTypeEnum.INTEGER, default=default)
| get_int | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, default=None):\n return self.get_converted(key, ConversionTypeEnum.INTEGER, default=default)\n",
"role": "user"
},
{
"content": "get_... |
def x(self, key, default=None):
return self.get_converted(key, ConversionTypeEnum.BOOL, default=default)
| get_bool | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, default=None):\n return self.get_converted(key, ConversionTypeEnum.BOOL, default=default)\n",
"role": "user"
},
{
"content": "get_boo... |
def x(self, kwargs):
if not 'hard resource_list' in kwargs:
return 'all.q'
d = dict([k.split('=') for k in kwargs['hard resource_list'].split(',')])
for k in d:
if k[0] == 'q' and d[k] == 'TRUE':
return k
return 'all.q'
| queue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, kwargs):\n if not 'hard resource_list' in kwargs:\n return 'all.q'\n d = dict([k.split('=') for k in kwargs['hard resource_list'].split(',')... |
def x(self, command_line, name=None, array=None, dependencies=[], exec_dir=
None, log_dir='logs', dry_run=False, verbosity=0, stop_on_failure=False,
**kwargs):
self.lock()
job = add_job(self.session, command_line, name, dependencies, array,
exec_dir=exec_dir, log_dir=log_dir, stop_on_failure=stop_on_failure,
context=self.context, **kwargs)
logger.info("Added job '%s' to the database." % job)
if dry_run:
print('Would have added the Job')
print(job)
print('to the database to be executed in the grid with options:',
str(kwargs))
self.session.delete(job)
logger.info(
"Deleted job '%s' from the database due to dry-run option" % job)
job_id = None
else:
job_id = self._submit_to_grid(job, name, array, dependencies,
log_dir, verbosity, **kwargs)
self.session.commit()
self.unlock()
return job_id
| submit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command_line, name=None, array=None, dependencies=[], exec_dir=\n None, log_dir='logs', dry_run=False, verbosity=0, stop_on_failure=False,\n **kwar... |
def x(self, job_ids=None):
self.lock()
jobs = self.get_jobs(job_ids)
for job in jobs:
job.refresh()
if job.status in ('queued', 'executing', 'waiting'
) and job.queue_name != 'local':
status = qstat(job.id, context=self.context)
if len(status) == 0:
job.status = 'failure'
job.result = 70
logger.warn(
"The job '%s' was not executed successfully (maybe a time-out happened). Please check the log files."
% job)
for array_job in job.array:
if array_job.status in ('queued', 'executing'):
array_job.status = 'failure'
array_job.result = 70
self.session.commit()
self.unlock()
| communicate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_ids=None):\n self.lock()\n jobs = self.get_jobs(job_ids)\n for job in jobs:\n job.refresh()\n if job.status in ('queued', 'exe... |
def x(self, job_ids=None, also_success=False, running_jobs=False,
new_command=None, verbosity=0, keep_logs=False, **kwargs):
self.lock()
jobs = self.get_jobs(job_ids)
if new_command is not None:
if len(jobs) == 1:
jobs[0].set_command_line(new_command)
else:
logger.warn(
'Ignoring new command since no single job id was specified')
accepted_old_status = ('submitted', 'success', 'failure'
) if also_success else ('submitted', 'failure')
for job in jobs:
if running_jobs or job.status in accepted_old_status:
grid_status = qstat(job.id, context=self.context)
if len(grid_status) != 0:
logger.warn(
"Deleting job '%d' since it was still running in the grid."
% job.unique)
qdel(job.id, context=self.context)
arguments = job.get_arguments()
arguments.update(**kwargs)
if 'queue' not in arguments or arguments['queue'] == 'all.q':
for arg in ('hvmem', 'pe_opt', 'io_big'):
if arg in arguments:
del arguments[arg]
job.set_arguments(kwargs=arguments)
if not keep_logs:
self.delete_logs(job)
job.submit()
if job.queue_name == 'local' and 'queue' not in arguments:
logger.warn(
"Re-submitting job '%s' locally (since no queue name is specified)."
% job)
else:
deps = [dep.unique for dep in job.get_jobs_we_wait_for()]
logger.debug(
"Re-submitting job '%s' with dependencies '%s' to the grid."
% (job, deps))
self._submit_to_grid(job, job.name, job.get_array(), deps,
job.log_dir, verbosity, **arguments)
self.session.commit()
self.unlock()
| resubmit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_ids=None, also_success=False, running_jobs=False,\n new_command=None, verbosity=0, keep_logs=False, **kwargs):\n self.lock()\n jobs = self.g... |
def x(self, job_id, array_id=None):
self.lock()
jobs = list(self.session.query(Job).filter(Job.id == job_id))
if len(jobs) != 1:
self.unlock()
raise ValueError("Could not find job id '%d' in the database'" % job_id
)
job_id = jobs[0].unique
self.unlock()
return JobManager.run_job(self, job_id, array_id)
| run_job | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_id, array_id=None):\n self.lock()\n jobs = list(self.session.query(Job).filter(Job.id == job_id))\n if len(jobs) != 1:\n self.unlock(... |
def x(self, job_ids):
self.lock()
jobs = self.get_jobs(job_ids)
for job in jobs:
if job.status in ('executing', 'queued', 'waiting'):
qdel(job.id, context=self.context)
logger.info("Stopped job '%s' in the SGE grid." % job)
job.submit()
self.session.commit()
self.unlock()
| stop_jobs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_ids):\n self.lock()\n jobs = self.get_jobs(job_ids)\n for job in jobs:\n if job.status in ('executing', 'queued', 'waiting'):\n ... |
def x(self, pubkey: str, nonce: Union[str, bytes], text: Union[str, bytes]
) ->str:
text_bytes = ensure_bytes(text)
nonce_bytes = ensure_bytes(nonce)
recipient_pubkey = PublicKey(pubkey)
crypt_bytes = libnacl.public.Box(self, recipient_pubkey).encrypt(text_bytes
, nonce_bytes)
return Base58Encoder.encode(crypt_bytes[24:])
| encrypt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pubkey: str, nonce: Union[str, bytes], text: Union[str, bytes]\n ) ->str:\n text_bytes = ensure_bytes(text)\n nonce_bytes = ensure_bytes(nonce)\... |
def x(self, pubkey: str, nonce: Union[str, bytes], text: str) ->str:
sender_pubkey = PublicKey(pubkey)
nonce_bytes = ensure_bytes(nonce)
encrypt_bytes = Base58Encoder.decode(text)
decrypt_bytes = libnacl.public.Box(self, sender_pubkey).decrypt(
encrypt_bytes, nonce_bytes)
return decrypt_bytes.decode('utf-8')
| decrypt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pubkey: str, nonce: Union[str, bytes], text: str) ->str:\n sender_pubkey = PublicKey(pubkey)\n nonce_bytes = ensure_bytes(nonce)\n encrypt_bytes... |
def x(self, data: Union[str, bytes]) ->bytes:
curve25519_public_key = libnacl.crypto_sign_ed25519_pk_to_curve25519(self
.pk)
return libnacl.crypto_box_seal(ensure_bytes(data), curve25519_public_key)
| encrypt_seal | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data: Union[str, bytes]) ->bytes:\n curve25519_public_key = libnacl.crypto_sign_ed25519_pk_to_curve25519(self\n .pk)\n return libnacl.crypto... |
def x(self):
if plugs_mail_settings['OVERRIDE_TEMPLATE_DIR']:
dir_ = plugs_mail_settings['OVERRIDE_TEMPLATE_DIR']
for file_ in os.listdir(dir_):
if file_.endswith(('.html', 'txt')):
self.overrides[file_] = dir_
| override_default_templates | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if plugs_mail_settings['OVERRIDE_TEMPLATE_DIR']:\n dir_ = plugs_mail_settings['OVERRIDE_TEMPLATE_DIR']\n for file_ in os.listdir(dir_... |
def x(self):
templates = []
for app in settings.INSTALLED_APPS:
try:
app = import_module(app + '.emails')
templates += self.get_plugs_mail_classes(app)
except ImportError:
pass
return templates
| get_apps | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n templates = []\n for app in settings.INSTALLED_APPS:\n try:\n app = import_module(app + '.emails')\n templates += s... |
def x(self, location, class_name):
template_name = utils.camel_to_snake(class_name)
dir_ = location[:-9] + 'templates/emails/'
files_ = []
for file_ in self.get_templates_files_in_dir(dir_):
if file_.startswith(template_name) and file_.endswith(('.html', '.txt')
):
if file_ in self.overrides:
files_.append(self.overrides[file_] + file_)
else:
files_.append(dir_ + file_)
return files_
| get_template_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, location, class_name):\n template_name = utils.camel_to_snake(class_name)\n dir_ = location[:-9] + 'templates/emails/'\n files_ = []\n for fi... |
def x(self, app):
classes = []
members = self.get_members(app)
for member in members:
name, cls = member
if inspect.isclass(cls) and issubclass(cls, PlugsMail
) and name != 'PlugsMail':
files_ = self.get_template_files(app.__file__, name)
for file_ in files_:
try:
description = cls.description
location = file_
language = self.get_template_language(location)
classes.append((name, location, description, language))
except AttributeError:
raise AttributeError(
'Email class must specify email description.')
return classes
| get_plugs_mail_classes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app):\n classes = []\n members = self.get_members(app)\n for member in members:\n name, cls = member\n if inspect.isclass(cls) and... |
def x(self, file_):
stem = Path(file_).stem
language_code = stem.split('_')[-1:][0]
if len(language_code) != 2:
raise Exception(
'Template file `%s` must end in ISO_639-1 language code.' % file_)
return language_code.lower()
| get_template_language | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_):\n stem = Path(file_).stem\n language_code = stem.split('_')[-1:][0]\n if len(language_code) != 2:\n raise Exception(\n ... |
def x(self, text):
first_line = text.splitlines(True)[0]
if first_line.startswith('SUBJECT:'):
subject = first_line[len('SUBJECT:'):]
else:
subject = first_line
return subject.strip()
| get_subject | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n first_line = text.splitlines(True)[0]\n if first_line.startswith('SUBJECT:'):\n subject = first_line[len('SUBJECT:'):]\n else:\n... |
def x(self, templates):
count = 0
for template in templates:
if not self.template_exists_db(template):
name, location, description, language = template
text = self.open_file(location)
html_content = self.get_html_content(text)
data = {'name': utils.camel_to_snake(name).upper(),
'html_content': html_content, 'content': self.text_version(
html_content), 'subject': self.get_subject(text),
'description': description, 'language': language}
if models.EmailTemplate.objects.create(**data):
count += 1
return count
| create_templates | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, templates):\n count = 0\n for template in templates:\n if not self.template_exists_db(template):\n name, location, description, l... |
def x(self, file_):
with open(file_, 'r', encoding='utf-8') as file:
text = ''
for line in file:
text += line
return text
| open_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_):\n with open(file_, 'r', encoding='utf-8') as file:\n text = ''\n for line in file:\n text += line\n return text\n"... |
def x(self, template):
name = utils.camel_to_snake(template[0]).upper()
language = utils.camel_to_snake(template[3])
try:
models.EmailTemplate.objects.get(name=name, language=language)
except models.EmailTemplate.DoesNotExist:
return False
return True
| template_exists_db | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, template):\n name = utils.camel_to_snake(template[0]).upper()\n language = utils.camel_to_snake(template[3])\n try:\n models.EmailTemplat... |
def x(cls):
for finder in sys.path_importer_cache.values():
if hasattr(finder, 'invalidate_caches'):
finder.invalidate_caches()
| invalidate_caches | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n for finder in sys.path_importer_cache.values():\n if hasattr(finder, 'invalidate_caches'):\n finder.invalidate_caches()\n",
"r... |
def x(cls, path):
if sys.path_hooks is not None and not sys.path_hooks:
warnings.warn('sys.path_hooks is empty', ImportWarning)
for hook in sys.path_hooks:
try:
return hook(path)
except ImportError:
continue
else:
return None
| path_hooks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, path):\n if sys.path_hooks is not None and not sys.path_hooks:\n warnings.warn('sys.path_hooks is empty', ImportWarning)\n for hook in sys.pa... |
def x(cls, path):
if path == '':
try:
path = os.getcwd()
except FileNotFoundError:
return None
try:
finder = sys.path_importer_cache[path]
except KeyError:
finder = cls._path_hooks(path)
sys.path_importer_cache[path] = finder
return finder
| path_importer_cache | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, path):\n if path == '':\n try:\n path = os.getcwd()\n except FileNotFoundError:\n return None\n try:\n fi... |
def x(cls, fullname, path, target=None):
namespace_path = []
for entry in path:
if not isinstance(entry, (str, bytes)):
continue
finder = cls._path_importer_cache(entry)
if finder is not None:
if hasattr(finder, 'find_spec'):
spec = finder.find_spec(fullname, target)
else:
spec = cls._legacy_get_spec(fullname, finder)
if spec is None:
continue
if spec.loader is not None:
return spec
portions = spec.submodule_search_locations
if portions is None:
raise ImportError('spec missing loader')
namespace_path.extend(portions)
else:
spec = ModuleSpec(fullname, None)
spec.submodule_search_locations = namespace_path
return spec
| get_spec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, fullname, path, target=None):\n namespace_path = []\n for entry in path:\n if not isinstance(entry, (str, bytes)):\n continue\n ... |
def x(cls, fullname, path=None):
spec = cls.find_spec(fullname, path)
if spec is None:
return None
elif spec.loader is None and spec.submodule_search_locations:
return NamespaceLoader2(spec.name, spec.submodule_search_locations)
else:
return spec.loader
| find_module | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, fullname, path=None):\n spec = cls.find_spec(fullname, path)\n if spec is None:\n return None\n elif spec.loader is None and spec.submodul... |
def x(cls, fullname, path=None, target=None):
if path is None:
path = sys.path
spec = cls._get_spec(fullname, path, target)
if spec is None:
return None
elif spec.loader is None:
namespace_path = spec.submodule_search_locations
if namespace_path:
spec.origin = 'namespace'
spec.submodule_search_locations = _NamespacePath(fullname,
namespace_path, cls._get_spec)
return spec
else:
return None
else:
return spec
| find_spec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, fullname, path=None, target=None):\n if path is None:\n path = sys.path\n spec = cls._get_spec(fullname, path, target)\n if spec is None:\... |
def x(self, fullname, target=None):
is_namespace = False
tail_module = fullname.rpartition('.')[2]
base_path = os.path.join(self.path, tail_module)
for suffix, loader_class in self._loaders:
init_filename = '__init__' + suffix
init_full_path = os.path.join(base_path, init_filename)
full_path = base_path + suffix
if os.path.isfile(init_full_path):
return self._get_spec(loader_class, fullname, init_full_path, [
base_path], target)
if os.path.isfile(full_path):
return self._get_spec(loader_class, fullname, full_path, None,
target)
else:
is_namespace = os.path.isdir(base_path)
if is_namespace:
_verbose_message('possible namespace for {}'.format(base_path))
spec = ModuleSpec(fullname, None)
spec.submodule_search_locations = [base_path]
return spec
return None
| find_spec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fullname, target=None):\n is_namespace = False\n tail_module = fullname.rpartition('.')[2]\n base_path = os.path.join(self.path, tail_module)\n ... |
def x(self, fullname):
spec = self.find_spec(fullname)
if spec is None:
return None, []
return spec.loader, spec.submodule_search_locations or []
| find_loader | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fullname):\n spec = self.find_spec(fullname)\n if spec is None:\n return None, []\n return spec.loader, spec.submodule_search_locations o... |
def x(self, fullname):
spec = self.find_spec(fullname)
if spec is None:
return None
if spec.loader is None and len(spec.submodule_search_locations):
spec.loader = NamespaceLoader2(spec.name, spec.
submodule_search_locations)
return spec.loader
| find_module | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fullname):\n spec = self.find_spec(fullname)\n if spec is None:\n return None\n if spec.loader is None and len(spec.submodule_search_loca... |
def x(cls, *loader_details):
def x(path):
if not os.path.isdir(path):
raise _ImportError('only directories are supported', path=path)
return cls(path, *loader_details)
return path_hook_for_FileFinder2
| path_hook | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, *loader_details):\n\n def x(path):\n if not os.path.isdir(path):\n raise _ImportError('only directories are supported', path=path)\n ... |
def x(t):
if t.value in keywords:
t.type = t.value
return t
| t_IDENTIFIER | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(t):\n if t.value in keywords:\n t.type = t.value\n return t\n",
"role": "user"
},
{
"content": "t_IDENTIFIER",
"role": "assistant"... |
def x(self, idtype):
memorable_id = None
while memorable_id in self._ids:
l = []
for _ in range(4):
l.append(str(randint(0, 19)))
memorable_id = ''.join(l)
self._ids.append(memorable_id)
return idtype + '-' + memorable_id
| getid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, idtype):\n memorable_id = None\n while memorable_id in self._ids:\n l = []\n for _ in range(4):\n l.append(str(randint(0, ... |
def x(notifier, event_type, callback=None, args=None, kwargs=None,
details_filter=None, weak=False):
if callback is None:
yield
else:
notifier.register(event_type, callback, args=args, kwargs=kwargs,
details_filter=details_filter, weak=weak)
try:
yield
finally:
notifier.deregister(event_type, callback, details_filter=
details_filter)
| register_deregister | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(notifier, event_type, callback=None, args=None, kwargs=None,\n details_filter=None, weak=False):\n if callback is None:\n yield\n else:\n ... |
def x(self):
if not self._weak:
return False
cb = self._callback()
if cb is None:
return True
return False
| dead | [
{
"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._weak:\n return False\n cb = self._callback()\n if cb is None:\n return True\n return False\n",
"role": "use... |
def x(self, callback, details_filter=None):
cb = self.callback
if cb is None and callback is not None:
return False
if cb is not None and callback is None:
return False
if (cb is not None and callback is not None and not reflection.
is_same_callback(cb, callback)):
return False
if details_filter is not None:
if self._details_filter is None:
return False
else:
return reflection.is_same_callback(self._details_filter,
details_filter)
else:
return self._details_filter is None
| is_equivalent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback, details_filter=None):\n cb = self.callback\n if cb is None and callback is not None:\n return False\n if cb is not None and cal... |
def x(self, event_type, callback, details_filter=None):
listeners = self._topics.get(event_type, [])
for listener in listeners:
if listener.is_equivalent(callback, details_filter=details_filter):
return True
return False
| is_registered | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event_type, callback, details_filter=None):\n listeners = self._topics.get(event_type, [])\n for listener in listeners:\n if listener.is_equ... |
def x(self, listeners, event_type, details):
possible_calls = len(listeners)
call_failures = 0
for listener in listeners:
try:
listener(event_type, details.copy())
except Exception:
self._logger.warn(
'Failure calling listener %s to notify about event %s, details: %s'
, listener, event_type, details, exc_info=True)
call_failures += 1
return _Notified(possible_calls, possible_calls - call_failures,
call_failures)
| do_dispatch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, listeners, event_type, details):\n possible_calls = len(listeners)\n call_failures = 0\n for listener in listeners:\n try:\n l... |
def x(self, event_type, details):
if not self.can_trigger_notification(event_type):
raise ValueError(
"Event type '%s' is not allowed to trigger notifications" %
event_type)
listeners = list(self._topics.get(self.ANY, []))
listeners.extend(self._topics.get(event_type, []))
if not details:
details = {}
fut = self._executor.submit(self._do_dispatch, listeners, event_type,
details)
return fut
| notify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event_type, details):\n if not self.can_trigger_notification(event_type):\n raise ValueError(\n \"Event type '%s' is not allowed to ... |
def x(self, event_type, callback, args=None, kwargs=None, details_filter=
None, weak=False):
if not six.callable(callback):
raise ValueError('Event callback must be callable')
if details_filter is not None:
if not six.callable(details_filter):
raise ValueError('Details filter must be callable')
if not self.can_be_registered(event_type):
raise ValueError(
"Disallowed event type '%s' can not have a callback registered" %
event_type)
if kwargs:
for k in self.RESERVED_KEYS:
if k in kwargs:
raise KeyError("Reserved key '%s' not allowed in kwargs" % k)
with self._lock:
if self.is_registered(event_type, callback, details_filter=
details_filter):
raise ValueError(
'Event callback already registered with equivalent details filter'
)
listener = Listener(_make_ref(callback, weak=weak), args=args,
kwargs=kwargs, details_filter=details_filter, weak=weak)
listeners = self._topics.setdefault(event_type, [])
listeners.append(listener)
return listener
| register | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event_type, callback, args=None, kwargs=None, details_filter=\n None, weak=False):\n if not six.callable(callback):\n raise ValueError('Even... |
def x(self, event_type, callback, details_filter=None):
with self._lock:
listeners = self._topics.get(event_type, [])
for i, listener in enumerate(listeners):
if listener.is_equivalent(callback, details_filter=details_filter):
listeners.pop(i)
return True
return False
| deregister | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event_type, callback, details_filter=None):\n with self._lock:\n listeners = self._topics.get(event_type, [])\n for i, listener in enume... |
def x(self, event_type, uuid):
with self._lock:
listeners = self._topics.get(event_type, [])
for i, listener in enumerate(listeners):
if listener.uuid == uuid:
listeners.pop(i)
return True
return False
| deregister_by_uuid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event_type, uuid):\n with self._lock:\n listeners = self._topics.get(event_type, [])\n for i, listener in enumerate(listeners):\n ... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.