source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, cache=True):
table = self.source()
assert not isinstance(table, None.__class__
), '{}.source needs to return something, not None'.format(self.
__class__.__name__)
table = post_process(table, self.post_processors())
if cache:
self.to_cache(table)
return table
| process_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cache=True):\n table = self.source()\n assert not isinstance(table, None.__class__\n ), '{}.source needs to return something, not None'.form... |
def x(self, rebuild=False, cache=True):
if rebuild:
return self._process_table(cache)
try:
return self.read_cache()
except FileNotFoundError:
return self._process_table(cache)
| fetch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rebuild=False, cache=True):\n if rebuild:\n return self._process_table(cache)\n try:\n return self.read_cache()\n except FileNotFo... |
def x(self):
for root, _, files in os.walk(self.source_dir):
for fname in files:
source_fpath = os.path.join(root, fname)
self.generate_api_for_source(source_fpath)
| generate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for root, _, files in os.walk(self.source_dir):\n for fname in files:\n source_fpath = os.path.join(root, fname)\n sel... |
def x(self, source_fpath: str):
content = self.convert_content(source_fpath)
if content is None:
return
dest_fpath = self.dest_fpath(source_fpath)
self.create_fpath_dir(dest_fpath)
with open(dest_fpath, 'w+') as dest_f:
json.dump(content, dest_f, cls=DateTimeJsonEncoder)
| generate_api_for_source | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source_fpath: str):\n content = self.convert_content(source_fpath)\n if content is None:\n return\n dest_fpath = self.dest_fpath(source_f... |
def x(self, fpath: str) ->typing.Optional[dict]:
try:
loader = self.loader_cls(fpath)
except UnsupportedExtensionError:
return
return loader.convert_content()
| convert_content | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fpath: str) ->typing.Optional[dict]:\n try:\n loader = self.loader_cls(fpath)\n except UnsupportedExtensionError:\n return\n retur... |
def x(self, source_fpath: str) ->str:
relative_fpath = os.path.join(*source_fpath.split(os.sep)[1:])
relative_dirpath = os.path.dirname(relative_fpath)
source_fname = relative_fpath.split(os.sep)[-1]
base_fname = source_fname.split('.')[0]
dest_fname = f'{base_fname}.json'
return os.path.join(self.dest_dir, relative_dirpath, dest_fname)
| dest_fpath | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source_fpath: str) ->str:\n relative_fpath = os.path.join(*source_fpath.split(os.sep)[1:])\n relative_dirpath = os.path.dirname(relative_fpath)\n ... |
def x(self, fpath: str):
os.makedirs(os.path.dirname(fpath), exist_ok=True)
| create_fpath_dir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fpath: str):\n os.makedirs(os.path.dirname(fpath), exist_ok=True)\n",
"role": "user"
},
{
"content": "create_fpath_dir",
"role": "assi... |
def x(cls, parser):
kwargs = {'action': 'store', 'default': '', 'parse_from_config': True,
'comma_separated_list': True}
for num in range(cls.min_check, cls.max_check):
parser.add_option(None, '--filename_check{}'.format(num), **kwargs)
| add_options | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, parser):\n kwargs = {'action': 'store', 'default': '', 'parse_from_config': True,\n 'comma_separated_list': True}\n for num in range(cls.min_... |
def x(cls, options):
d = {}
for filename_check, dictionary in cls.filename_checks.items():
filename_data = getattr(options, filename_check)
if len(filename_data) != 0:
parsed_params = {}
for single_line in filename_data:
a = [s.strip() for s in single_line.split('=')]
if a[0] in ['filter_regex', 'filename_regex']:
parsed_params[a[0]] = a[1]
d[filename_check] = parsed_params
cls.filename_checks.update(d)
cls.filename_checks = {x: y for x, y in cls.filename_checks.items() if
len(y) > 0}
| parse_options | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, options):\n d = {}\n for filename_check, dictionary in cls.filename_checks.items():\n filename_data = getattr(options, filename_check)\n ... |
def x(self):
if len(self.filename_checks) == 0:
message = (
'N401 no configuration found for {}, please provide filename configuration in a flake8 config'
.format(self.name))
yield 0, 0, message, type(self)
rule_funcs = [rules.rule_n5xx]
for rule_func in rule_funcs:
for rule_name, configured_rule in self.filename_checks.items():
for err in rule_func(self.filename, rule_name, configured_rule,
type(self)):
yield err
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if len(self.filename_checks) == 0:\n message = (\n 'N401 no configuration found for {}, please provide filename configuration in ... |
def x():
ips = list()
if not os.path.exists('/sys/class/net'):
return ['127.0.0.1']
for ifdev in os.listdir('/sys/class/net'):
if ifdev == 'lo':
continue
try:
sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
ips.append(socket.inet_ntoa(fcntl.ioctl(sock.fileno(), 35093,
struct.pack('256s', ifdev[:15].encode()))[20:24]))
except OSError:
pass
return ips
| get_my_ips | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n ips = list()\n if not os.path.exists('/sys/class/net'):\n return ['127.0.0.1']\n for ifdev in os.listdir('/sys/class/net'):\n if if... |
def x(current_block: dict, uid: str, salt: str, password: str) ->Identity:
timestamp = BlockUID(current_block['number'], current_block['hash'])
key = SigningKey.from_credentials(salt, password)
identity = Identity(version=10, currency=current_block['currency'],
pubkey=key.pubkey, uid=uid, ts=timestamp, signature=None)
identity.sign([key])
return identity
| get_identity_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, uid: str, salt: str, password: str) ->Identity:\n timestamp = BlockUID(current_block['number'], current_block['hash'])\n key = Signi... |
async def main():
"""
Main code
"""
client = Client(BMAS_ENDPOINT)
response = await client(bma.node.summary)
print(response)
current_block = await client(bma.blockchain.current)
uid = input('Enter your Unique IDentifier (pseudonym): ')
salt = getpass.getpass('Enter your passphrase (salt): ')
password = getpass.getpass('Enter your password: ')
identity = get_identity_document(current_block, uid, salt, password)
response = await client(bma.wot.add, identity.signed_raw())
if response.status == 200:
print(await response.text())
else:
print('Error while publishing identity : {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():
today = datetime.datetime.now().strftime(DATETIME_FORMAT)
return hashlib.sha1(today.encode('utf-8')).hexdigest()
| make_hash_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n today = datetime.datetime.now().strftime(DATETIME_FORMAT)\n return hashlib.sha1(today.encode('utf-8')).hexdigest()\n",
"role": "user"
},
{
... |
def x(filename):
header = {}
in_header = False
data = nl.universal_read(filename)
lines = [x.strip() for x in data.split('\n')]
for line in lines:
if line == '*** Header Start ***':
in_header = True
continue
if line == '*** Header End ***':
return header
fields = line.split(': ')
if len(fields) == 2:
header[fields[0]] = fields[1]
| read_header | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n header = {}\n in_header = False\n data = nl.universal_read(filename)\n lines = [x.strip() for x in data.split('\\n')]\n for line in... |
def x(filename):
frames = []
frame = {}
data = nl.universal_read(filename)
lines = [x.strip() for x in data.split('\n')]
for line in lines:
if line == '*** LogFrame Start ***':
frame = {}
if line == '*** LogFrame End ***':
frames.append(frame)
yield frame
fields = line.split(': ')
if len(fields) == 2:
frame[fields[0]] = fields[1]
| parse_frames | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n frames = []\n frame = {}\n data = nl.universal_read(filename)\n lines = [x.strip() for x in data.split('\\n')]\n for line in lines:... |
def x(self):
return django_apps.get_model(self.appointment_model).objects.get(pk=
self.request.GET.get('appointment'))
| appointment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return django_apps.get_model(self.appointment_model).objects.get(pk=\n self.request.GET.get('appointment'))\n",
"role": "user"
},
{
... |
def x(self):
previous_visit = None
if self.appointment:
appointment = self.appointment
while appointment.previous_by_timepoint:
try:
previous_visit = self.model.visit_model_cls().objects.get(
appointment=appointment.previous_by_timepoint)
except ObjectDoesNotExist:
pass
else:
break
appointment = appointment.previous_by_timepoint
return previous_visit
| previous_visit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n previous_visit = None\n if self.appointment:\n appointment = self.appointment\n while appointment.previous_by_timepoint:\n ... |
def x(self):
previous_obj = None
if self.previous_visit:
try:
previous_obj = self.model.objects.get(**{
f'{self.model.visit_model_attr()}': self.previous_visit})
except ObjectDoesNotExist:
pass
return previous_obj
| previous_obj | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n previous_obj = None\n if self.previous_visit:\n try:\n previous_obj = self.model.objects.get(**{\n f'{self.mode... |
def x(fname):
fpath = os.path.join(os.path.dirname(__file__), fname)
with codecs.open(fpath, 'r', 'utf8') as fhandle:
return fhandle.read().strip()
| read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fname):\n fpath = os.path.join(os.path.dirname(__file__), fname)\n with codecs.open(fpath, 'r', 'utf8') as fhandle:\n return fhandle.read().strip(... |
def x(app_name_to_show_on_error: str):
encoding = locale.getpreferredencoding()
if encoding.lower() != 'utf-8':
raise OSError('{} works only in UTF-8, but yours is set at {}'.
format(app_name_to_show_on_error, encoding))
| ensure_utf8 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app_name_to_show_on_error: str):\n encoding = locale.getpreferredencoding()\n if encoding.lower() != 'utf-8':\n raise OSError('{} works only in UT... |
def x(filedef, cleanup=True):
cwd = os.getcwd()
tmpdir = tempfile.mkdtemp()
try:
Filemaker(tmpdir, filedef)
if not cleanup:
pass
os.chdir(tmpdir)
yield tmpdir
finally:
os.chdir(cwd)
if cleanup:
shutil.rmtree(tmpdir, ignore_errors=True)
| create_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filedef, cleanup=True):\n cwd = os.getcwd()\n tmpdir = tempfile.mkdtemp()\n try:\n Filemaker(tmpdir, filedef)\n if not cleanup:\n ... |
def x(self, filename, content):
with open(filename, 'w') as fp:
fp.write(content)
| make_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename, content):\n with open(filename, 'w') as fp:\n fp.write(content)\n",
"role": "user"
},
{
"content": "make_file",
"role... |
def x(col, data, minimal_size=5):
if isinstance(data, list):
try:
col.insert(data)
except pymongo.errors.DuplicateKeyError:
n = len(data)
if n >= minimal_size ** 2:
n_chunk = math.floor(math.sqrt(n))
for chunk in grouper_list(data, n_chunk):
smart_insert(col, chunk, minimal_size)
else:
for doc in data:
try:
col.insert(doc)
except pymongo.errors.DuplicateKeyError:
pass
else:
try:
col.insert(data)
except pymongo.errors.DuplicateKeyError:
pass
| smart_insert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(col, data, minimal_size=5):\n if isinstance(data, list):\n try:\n col.insert(data)\n except pymongo.errors.DuplicateKeyError:\n ... |
def x(col, df, int_col=None, binary_col=None, minimal_size=5):
data = transform.to_dict_list_generic_type(df, int_col=int_col,
binary_col=binary_col)
smart_insert(col, data, minimal_size)
| insert_data_frame | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(col, df, int_col=None, binary_col=None, minimal_size=5):\n data = transform.to_dict_list_generic_type(df, int_col=int_col,\n binary_col=binary_col)\n... |
def x(message: str, pubkey: Optional[str]=None, signing_keys: Optional[List
[SigningKey]]=None, message_comment: Optional[str]=None,
signatures_comment: Optional[str]=None) ->str:
if not pubkey and not signing_keys:
raise MISSING_PUBLIC_KEY_AND_SIGNING_KEY_EXCEPTION
message = message.rstrip('\n\r') + '\n'
ascii_armor_block = '{begin_message_header}\n'.format(begin_message_header
=BEGIN_MESSAGE_HEADER)
if pubkey:
ascii_armor_block += '{version_field}\n'.format(version_field=
AsciiArmor._get_version_field())
if message_comment:
ascii_armor_block += '{comment_field}\n'.format(comment_field=
AsciiArmor._get_comment_field(message_comment))
ascii_armor_block += '\n'
if pubkey:
pubkey_instance = PublicKey(pubkey)
base64_encrypted_message = base64.b64encode(pubkey_instance.
encrypt_seal(message))
ascii_armor_block += '{base64_encrypted_message}\n'.format(
base64_encrypted_message=base64_encrypted_message.decode('utf-8'))
else:
message = AsciiArmor._remove_trailing_spaces(message)
ascii_armor_block += AsciiArmor._dash_escape_text(message)
if signing_keys is None:
ascii_armor_block += END_MESSAGE_HEADER
else:
count = 1
for signing_key in signing_keys:
ascii_armor_block += AsciiArmor._get_signature_block(message,
signing_key, count == len(signing_keys), signatures_comment)
count += 1
return ascii_armor_block
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(message: str, pubkey: Optional[str]=None, signing_keys: Optional[List\n [SigningKey]]=None, message_comment: Optional[str]=None,\n signatures_comment: Op... |
def x(text: str) ->str:
clean_text = str()
for line in text.splitlines(True):
clean_text += line.rstrip('\t ')
return clean_text
| remove_trailing_spaces | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text: str) ->str:\n clean_text = str()\n for line in text.splitlines(True):\n clean_text += line.rstrip('\\t ')\n return clean_text\n",
"ro... |
def x(text: str) ->str:
dash_escaped_text = str()
for line in text.splitlines(True):
dash_escaped_text += DASH_ESCAPE_PREFIX + line
return dash_escaped_text
| dash_escape_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text: str) ->str:\n dash_escaped_text = str()\n for line in text.splitlines(True):\n dash_escaped_text += DASH_ESCAPE_PREFIX + line\n return da... |
def x(dash_escaped_line: str) ->str:
text = str()
regex_dash_escape_prefix = compile('^' + DASH_ESCAPE_PREFIX)
if regex_dash_escape_prefix.match(dash_escaped_line):
text += dash_escaped_line[2:]
return text
| parse_dash_escaped_line | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dash_escaped_line: str) ->str:\n text = str()\n regex_dash_escape_prefix = compile('^' + DASH_ESCAPE_PREFIX)\n if regex_dash_escape_prefix.match(dash_... |
def x(message: str, signing_key: SigningKey, close_block: bool=True,
comment: Optional[str]=None) ->str:
base64_signature = base64.b64encode(signing_key.signature(message))
block = '{begin_signature_header}\n{version_field}\n'.format(
begin_signature_header=BEGIN_SIGNATURE_HEADER, version_field=
AsciiArmor._get_version_field())
if comment:
block += '{comment_field}\n'.format(comment_field=AsciiArmor.
_get_comment_field(comment))
block += '\n'
block += '{base64_signature}\n'.format(base64_signature=
base64_signature.decode('utf-8'))
if close_block:
block += END_SIGNATURE_HEADER
return block
| get_signature_block | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(message: str, signing_key: SigningKey, close_block: bool=True,\n comment: Optional[str]=None) ->str:\n base64_signature = base64.b64encode(signing_key.si... |
def x(ascii_armor_message: str, signing_key: Optional[SigningKey]=None,
sender_pubkeys: Optional[List[str]]=None) ->dict:
regex_begin_message = compile(BEGIN_MESSAGE_HEADER)
regex_end_message = compile(END_MESSAGE_HEADER)
regex_begin_signature = compile(BEGIN_SIGNATURE_HEADER)
regex_end_signature = compile(END_SIGNATURE_HEADER)
regex_fields = compile('^(Version|Comment): (.+)$')
ascii_armor_message = ascii_armor_message.strip(' \t\n\r')
parsed_result = {'message': {'fields': {}, 'content': ''}, 'signatures': []
}
cursor_status = 0
message = ''
signatures_index = 0
for line in ascii_armor_message.splitlines(True):
if regex_begin_message.match(line):
cursor_status = ON_MESSAGE_FIELDS
continue
if cursor_status == ON_MESSAGE_FIELDS:
m = regex_fields.match(line.strip())
if m:
msg_field_name = m.groups()[0]
msg_field_value = m.groups()[1]
parsed_result['message']['fields'][msg_field_name
] = msg_field_value
continue
if line.strip('\n\t\r ') == '':
cursor_status = ON_MESSAGE_CONTENT
continue
if cursor_status == ON_MESSAGE_CONTENT:
if line.startswith(HEADER_PREFIX):
if 'Version' in parsed_result['message']['fields']:
if signing_key is None:
raise PARSER_MISSING_SIGNING_KEY_EXCEPTION
message = AsciiArmor._decrypt(message, signing_key)
parsed_result['message']['content'] = message
if regex_end_message.match(line):
break
if regex_begin_signature.match(line):
parsed_result['signatures'].append({'fields': {}})
cursor_status = ON_SIGNATURE_FIELDS
continue
elif 'Version' in parsed_result['message']['fields']:
message += line
else:
message += AsciiArmor._parse_dash_escaped_line(line)
if cursor_status == ON_SIGNATURE_FIELDS:
m = regex_fields.match(line.strip())
if m:
sig_field_name = m.groups()[0]
sig_field_value = m.groups()[1]
parsed_result['signatures'][signatures_index]['fields'][
sig_field_name] = sig_field_value
continue
if line.strip('\n\t\r ') == '':
cursor_status = ON_SIGNATURE_CONTENT
continue
if cursor_status == ON_SIGNATURE_CONTENT:
if sender_pubkeys is None:
raise PARSER_MISSING_PUBLIC_KEYS_EXCEPTION
if regex_end_signature.match(line):
break
if regex_begin_signature.match(line):
signatures_index += 1
cursor_status = ON_SIGNATURE_FIELDS
continue
for pubkey in sender_pubkeys:
verifier = VerifyingKey(pubkey)
signature = base64.b64decode(line)
parsed_result['signatures'][signatures_index]['pubkey'
] = pubkey
try:
libnacl.crypto_sign_verify_detached(signature, message,
verifier.vk)
parsed_result['signatures'][signatures_index]['valid'
] = True
except ValueError:
parsed_result['signatures'][signatures_index]['valid'
] = False
return parsed_result
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ascii_armor_message: str, signing_key: Optional[SigningKey]=None,\n sender_pubkeys: Optional[List[str]]=None) ->dict:\n regex_begin_message = compile(BEG... |
def x(ascii_armor_message: str, signing_key: SigningKey) ->str:
data = signing_key.decrypt_seal(base64.b64decode(ascii_armor_message))
return data.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(ascii_armor_message: str, signing_key: SigningKey) ->str:\n data = signing_key.decrypt_seal(base64.b64decode(ascii_armor_message))\n return data.decode('... |
def x(request, template_name, context=None, content_type=None, status=None,
using=None, logs=None):
if logs:
obj_logger = ObjectLogger()
if not isinstance(logs, list):
logs = [logs]
for log in logs:
log = obj_logger.log_response(log, context, status=str(status),
headers='', content_type=str(content_type))
log.save()
return django_render(request, template_name, context=context,
content_type=content_type, status=status, using=using)
| render | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, template_name, context=None, content_type=None, status=None,\n using=None, logs=None):\n if logs:\n obj_logger = ObjectLogger()\n ... |
def x(data=None, listRegexp=None, verbosity=1, logFolder='./logs'):
i3visiotools.logger.setupLogger(loggerName='entify', verbosity=
verbosity, logFolder=logFolder)
logger = logging.getLogger('entify')
if listRegexp == None:
listRegexp = config.getAllRegexp()
foundExpr = []
for r in listRegexp:
foundExpr += r.findExp(data)
return foundExpr
| getEntitiesByRegexp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data=None, listRegexp=None, verbosity=1, logFolder='./logs'):\n i3visiotools.logger.setupLogger(loggerName='entify', verbosity=\n verbosity, logFolde... |
def x(folder=None, listRegexp=None, recursive=False, verbosity=1, logFolder
='./logs'):
i3visiotools.logger.setupLogger(loggerName='entify', verbosity=
verbosity, logFolder=logFolder)
logger = logging.getLogger('entify')
logger.info('Scanning the folder: ' + folder)
results = {}
onlyfiles = [f for f in listdir(folder) if isfile(join(folder, f))]
for f in onlyfiles:
filePath = join(folder, f)
logger.debug('Looking for regular expressions in: ' + filePath)
with open(filePath, 'r') as tempF:
foundExpr = getEntitiesByRegexp(data=tempF.read(), listRegexp=
listRegexp)
logger.debug('Updating the ' + str(len(foundExpr)) +
' results found on: ' + filePath)
results[filePath] = foundExpr
if recursive:
onlyfolders = [f for f in listdir(folder) if isdir(join(folder, f))]
for f in onlyfolders:
folderPath = join(folder, f)
logger.debug('Looking for additional in the folder: ' + folderPath)
results.update(scanFolderForRegexp(folder=folderPath,
listRegexp=listRegexp, recursive=recursive))
return results
| scanFolderForRegexp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(folder=None, listRegexp=None, recursive=False, verbosity=1, logFolder\n ='./logs'):\n i3visiotools.logger.setupLogger(loggerName='entify', verbosity=\n ... |
def x(uri=None, listRegexp=None, verbosity=1, logFolder='./logs'):
i3visiotools.logger.setupLogger(loggerName='entify', verbosity=
verbosity, logFolder=logFolder)
logger = logging.getLogger('entify')
results = {}
logger.debug('Looking for regular expressions in: ' + uri)
import urllib2
foundExpr = getEntitiesByRegexp(data=urllib2.urlopen(uri).read(),
listRegexp=listRegexp)
logger.debug('Updating the ' + str(len(foundExpr)) +
' results found on: ' + uri)
results[uri] = foundExpr
return results
| scanResource | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(uri=None, listRegexp=None, verbosity=1, logFolder='./logs'):\n i3visiotools.logger.setupLogger(loggerName='entify', verbosity=\n verbosity, logFolder... |
def x(args):
i3visiotools.logger.setupLogger(loggerName='entify', verbosity=args.
verbose, logFolder=args.logfolder)
logger = logging.getLogger('entify')
logger.info(
"""entify-launcher.py Copyright (C) F. Brezo and Y. Rubio (i3visio) 2014
This program comes with ABSOLUTELY NO WARRANTY.
This is free software, and you are welcome to redistribute it under certain conditions.
For details, run:
python entify-launcher.py --license"""
)
logger.info('Selecting the regular expressions to be analysed...')
listRegexp = []
if args.regexp:
listRegexp = config.getRegexpsByName(args.regexp)
elif args.new_regexp:
for i, r in enumerate(args.new_regexp):
list.Regexp.append(RegexpObject(name='NewRegexp' + str(i),
reg_exp=args.new_regexp))
if not args.web:
results = scanFolderForRegexp(folder=args.input_folder, listRegexp=
listRegexp, recursive=args.recursive, verbosity=args.verbose,
logFolder=args.logfolder)
else:
results = scanResource(uri=args.web, listRegexp=listRegexp,
verbosity=args.verbose, logFolder=args.logfolder)
logger.info('Printing the results:\n' + general.dictToJson(results))
if args.output_folder:
logger.info('Preparing the output folder...')
if not os.path.exists(args.output_folder):
logger.warning("The output folder '" + args.output_folder +
"' does not exist. The system will try to create it.")
os.makedirs(args.output_folder)
logger.info('Storing the results...')
"""if "csv" in args.extension:
with open(os.path.join(args.output_folder, "results.csv"), "w") as oF:
oF.write(resultsToCSV(results))"""
if 'json' in args.extension:
with open(os.path.join(args.output_folder, 'results.json'), 'w'
) as oF:
oF.write(general.dictToJson(results))
| entify_main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n i3visiotools.logger.setupLogger(loggerName='entify', verbosity=args.\n verbose, logFolder=args.logfolder)\n logger = logging.getLogger('e... |
def x(df, chunksize):
data = list()
counter = 0
for tp in zip(*(l for col, l in df.iteritems())):
counter += 1
data.append(tp)
if counter == chunksize:
new_df = pd.DataFrame(data, columns=df.columns)
yield new_df
data = list()
counter = 0
if len(data) > 0:
new_df = pd.DataFrame(data, columns=df.columns)
yield new_df
| grouper_df | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df, chunksize):\n data = list()\n counter = 0\n for tp in zip(*(l for col, l in df.iteritems())):\n counter += 1\n data.append(tp)\n ... |
def x(df, index_col=None, use_ordered_dict=True):
if index_col:
index_list = df[index_col]
else:
index_list = df.index
columns = df.columns
if use_ordered_dict:
table = OrderedDict()
else:
table = dict()
for ind, tp in zip(index_list, itertuple(df)):
table[ind] = dict(zip(columns, tp))
return table
| to_index_row_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df, index_col=None, use_ordered_dict=True):\n if index_col:\n index_list = df[index_col]\n else:\n index_list = df.index\n columns = df.... |
def x(df, use_ordered_dict=True):
if use_ordered_dict:
dict = OrderedDict
columns = df.columns
data = list()
for tp in itertuple(df):
data.append(dict(zip(columns, tp)))
return data
| to_dict_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df, use_ordered_dict=True):\n if use_ordered_dict:\n dict = OrderedDict\n columns = df.columns\n data = list()\n for tp in itertuple(df):\n ... |
def x(df, int_col=None, binary_col=None):
if int_col is not None and not isinstance(int_col, (list, tuple)):
int_col = [int_col]
if binary_col is not None and not isinstance(binary_col, (list, tuple)):
binary_col = [binary_col]
datetime_col = list()
for col, dtype in dict(df.dtypes).items():
if 'datetime64' in str(dtype):
datetime_col.append(col)
if len(datetime_col) == 0:
datetime_col = None
def x(b):
try:
return base64.b64encode(b)
except:
return b
if binary_col is not None:
for col in binary_col:
df[col] = df[col].apply(b64_encode)
data = json.loads(df.to_json(orient='records', date_format='iso'))
if int_col is not None:
for row in data:
for col in int_col:
try:
row[col] = int(row[col])
except:
pass
if binary_col is not None:
for row in data:
for col in binary_col:
try:
row[col] = base64.b64decode(row[col].encode('ascii'))
except:
pass
if datetime_col is not None:
for row in data:
for col in datetime_col:
try:
row[col] = rolex.str2datetime(row[col])
except:
pass
return data
| to_dict_list_generic_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df, int_col=None, binary_col=None):\n if int_col is not None and not isinstance(int_col, (list, tuple)):\n int_col = [int_col]\n if binary_col is ... |
def x(parser: FileAwareParser, strong_config_file: bool=True
) ->FileAwareParser:
parser.add_file_argument('--conf', metavar='CONFIG FILE', help=
'Configuration file', action=ConfigFile if strong_config_file else None
)
parser.add_argument('-db', '--dburl', help='Default database URL',
default=Default_DB_Connection)
parser.add_argument('--user', help='Default user name', default=
Default_User)
parser.add_argument('--password', help='Default password', default=
Default_Password)
parser.add_argument('--crcdb', help='CRC database URL. (default: dburl)')
parser.add_argument('--crcuser', help=
'User name for CRC database. (default: user)')
parser.add_argument('--crcpassword', help=
'Password for CRC database. (default: password)')
parser.add_argument('--ontodb', help=
'Ontology database URL. (default: dburl)')
parser.add_argument('--ontouser', help=
'User name for ontology database. (default: user)')
parser.add_argument('--ontopassword', help=
'Password for ontology database. (default: password)')
parser.add_argument('--onttable', metavar='ONTOLOGY TABLE NAME', help=
'Ontology table name (default: {})'.format(DEFAULT_ONTOLOGY_TABLE),
default=DEFAULT_ONTOLOGY_TABLE)
return parser
| add_connection_args | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parser: FileAwareParser, strong_config_file: bool=True\n ) ->FileAwareParser:\n parser.add_file_argument('--conf', metavar='CONFIG FILE', help=\n ... |
def x(opts: Namespace, error_fun: Optional[Callable], connect: bool=True
) ->Namespace:
def x(vn: str, default: object) ->None:
assert vn in opts, 'Unknown option'
if not getattr(opts, vn):
setattr(opts, vn, default)
if error_fun and (getattr(opts, 'dburl') is None or getattr(opts,
'user') is None or getattr(opts, 'password') is None):
error_fun('db url, user id and password must be supplied')
setdefault('crcdb', opts.dburl)
setdefault('crcuser', opts.user)
setdefault('crcpassword', opts.password)
setdefault('ontodb', opts.dburl)
setdefault('ontouser', opts.user)
setdefault('ontopassword', opts.password)
if connect:
opts.tables = I2B2Tables(opts)
if opts.onttable:
i2b2tablenames.ontology_table = opts.onttable
return opts
| process_parsed_args | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(opts: Namespace, error_fun: Optional[Callable], connect: bool=True\n ) ->Namespace:\n\n def x(vn: str, default: object) ->None:\n assert vn in opt... |
def x(self, files):
def x(split_files):
this_dir = {'files': {}, 'dirs': {}}
dirs = defaultdict(list)
for fle in split_files:
index = fle[0]
fileinfo = fle[1]
if len(index) == 1:
fileinfo['path'] = index[0]
this_dir['files'][fileinfo['path']] = fileinfo
elif len(index) > 1:
dirs[index[0]].append((index[1:], fileinfo))
for name, info in dirs.iteritems():
this_dir['dirs'][name] = helper(info)
return this_dir
return helper([(name.split('/')[1:], file_info) for name, file_info in
files.iteritems()])
| build_dir_tree | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, files):\n\n def x(split_files):\n this_dir = {'files': {}, 'dirs': {}}\n dirs = defaultdict(list)\n for fle in split_files:\n ... |
def x(self, tree):
result = {}
def x(tree, leading_path=''):
dirs = tree['dirs']
files = tree['files']
for name, file_info in files.iteritems():
file_info['path'] = leading_path + '/' + name
result[file_info['path']] = file_info
for name, contents in dirs.iteritems():
helper(contents, leading_path + '/' + name)
helper(tree)
return result
| flatten_dir_tree | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tree):\n result = {}\n\n def x(tree, leading_path=''):\n dirs = tree['dirs']\n files = tree['files']\n for name, file_info in ... |
def x(self, file_hash):
json_d = self.read_index_object(file_hash, 'tree')
node = {'files': json_d['files'], 'dirs': {}}
for name, hsh in json_d['dirs'].iteritems():
node['dirs'][name] = self.read_dir_tree(hsh)
return node
| read_dir_tree | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_hash):\n json_d = self.read_index_object(file_hash, 'tree')\n node = {'files': json_d['files'], 'dirs': {}}\n for name, hsh in json_d['dirs... |
def x(self, tree):
dirs = tree['dirs']
files = tree['files']
child_dirs = {name: self.write_dir_tree(contents) for name, contents in
dirs.iteritems()}
return self.write_index_object('tree', {'files': files, 'dirs': child_dirs}
)
| write_dir_tree | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tree):\n dirs = tree['dirs']\n files = tree['files']\n child_dirs = {name: self.write_dir_tree(contents) for name, contents in\n dirs.ite... |
def x(self):
commit_state = sfs.file_or_default(sfs.cpjoin(self.base_path,
'active_commit'), None)
if commit_state != None:
return True
return False
| have_active_commit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n commit_state = sfs.file_or_default(sfs.cpjoin(self.base_path,\n 'active_commit'), None)\n if commit_state != None:\n return True\n... |
def x(self, append_to_msg: typing.Optional[str]=None, new_message: typing.
Optional[str]=None, files_to_add: typing.Optional[typing.Union[typing.
List[str], str]]=None):
| amend_commit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, append_to_msg: typing.Optional[str]=None, new_message: typing.\n Optional[str]=None, files_to_add: typing.Optional[typing.Union[typing.\n List[str]... |
def x(cls, email, result_text_code):
result_code = cls.result_text_codes[result_text_code]
return cls(email, result_code)
| from_text_code | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, email, result_text_code):\n result_code = cls.result_text_codes[result_text_code]\n return cls(email, result_code)\n",
"role": "user"
},
{
... |
def x(self, source_code, post_treatment=''.join, source='<string>', target=
'exec'):
self.last_python_code = super().compile(source_code, post_treatment)
return PyCompiler.executable(self.last_python_code, source, target)
| compile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source_code, post_treatment=''.join, source='<string>', target=\n 'exec'):\n self.last_python_code = super().compile(source_code, post_treatment)\n... |
def x(tries_remaining, exception, delay):
print >> sys.stderr, "Caught '%s', %d tries remaining, sleeping for %s seconds" % (
exception, tries_remaining, delay)
| example_exc_handler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tries_remaining, exception, delay):\n print >> sys.stderr, \"Caught '%s', %d tries remaining, sleeping for %s seconds\" % (\n exception, tries_remain... |
def x(key: str, value: str):
elib_run.run(f'appveyor SetVariable -Name {key} -Value {value}')
AV.info('Env', f'set "{key}" -> "{value}"')
| set_env_var | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key: str, value: str):\n elib_run.run(f'appveyor SetVariable -Name {key} -Value {value}')\n AV.info('Env', f'set \"{key}\" -> \"{value}\"')\n",
"role... |
def x(scope):
scope['py2q'] = py2q
scope['q2py'] = q2py
QtCore.THREADSAFE_NONE = None
scope['QtCore'] = QtCore
scope['QtGui'] = lazy_import('PyQt4.QtGui')
scope['QtWebKit'] = lazy_import('PyQt4.QtWebKit')
scope['QtNetwork'] = lazy_import('PyQt4.QtNetwork')
scope['QtXml'] = lazy_import('PyQt4.QtXml')
scope['QtDesigner'] = lazy_import('PyQt4.QtDesigner')
scope['Qsci'] = lazy_import('PyQt4.Qsci')
scope['uic'] = lazy_import('PyQt4.uic')
scope['rcc_exe'] = 'pyrcc4'
QtCore.QDate.toPython = lambda x: x.toPyDate()
QtCore.QDateTime.toPython = lambda x: x.toPyDateTime()
QtCore.QTime.toPython = lambda x: x.toPyTime()
QtCore.Signal = Signal
QtCore.Slot = Slot
QtCore.Property = QtCore.pyqtProperty
QtCore.SIGNAL = SIGNAL
QtCore.__version__ = QtCore.QT_VERSION_STR
if SIP_VERSION == '2':
QtCore.QStringList = list
QtCore.QString = unicode
| init | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(scope):\n scope['py2q'] = py2q\n scope['q2py'] = q2py\n QtCore.THREADSAFE_NONE = None\n scope['QtCore'] = QtCore\n scope['QtGui'] = lazy_import(... |
def x(self):
for node in self.node:
if 'target_obj' not in self.node[node] and node not in self.crossrefs:
raise error.BrokenGraph(
'Missing target: %s referenced from %s but not defined there.'
% (node, self.name))
| validate_internal_deps | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for node in self.node:\n if 'target_obj' not in self.node[node] and node not in self.crossrefs:\n raise error.BrokenGraph(\n ... |
def x(self):
crefs = set()
for node in self.node:
if node.repo != self.target.repo or node.path != self.target.path:
crefs.add(node)
return crefs
| crossrefs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n crefs = set()\n for node in self.node:\n if node.repo != self.target.repo or node.path != self.target.path:\n crefs.add(node)\... |
def x(self):
return set([address.new(repo=x.repo, path=x.path) for x in self.crossrefs])
| crossref_paths | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return set([address.new(repo=x.repo, path=x.path) for x in self.crossrefs])\n",
"role": "user"
},
{
"content": "crossref_paths",
"r... |
def x(self):
for node in self.node:
if (node.repo, node.path) == (self.target.repo, self.target.path):
yield node
| local_targets | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for node in self.node:\n if (node.repo, node.path) == (self.target.repo, self.target.path):\n yield node\n",
"role": "user"
... |
def x(self, stream):
builddata = json.load(stream)
log.debug('This is a JSON build file.')
if 'targets' not in builddata:
log.warn('Warning: No targets defined here.')
return
for tdata in builddata['targets']:
target = address.new(target=tdata.pop('name'), repo=self.target.
repo, path=self.target.path)
if target in self.node and 'target_obj' in self.node[target]:
raise error.ButcherError('Target is defined more than once: %s',
target)
rule_obj = targets.new(name=target, ruletype=tdata.pop('type'), **tdata
)
log.debug('New target: %s', target)
self.add_node(target, {'target_obj': rule_obj})
for dep in (rule_obj.composed_deps() or []):
d_target = address.new(dep)
if not d_target.repo:
d_target.repo = self.target.repo
if d_target.repo == self.target.repo and not d_target.path:
d_target.path = self.target.path
if d_target not in self.nodes():
self.add_node(d_target)
log.debug('New dep: %s -> %s', target, d_target)
self.add_edge(target, d_target)
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stream):\n builddata = json.load(stream)\n log.debug('This is a JSON build file.')\n if 'targets' not in builddata:\n log.warn('Warning: ... |
def x(self, *exc_classes):
if not exc_classes:
return None
for cause in self:
result = cause.check(*exc_classes)
if result is not None:
return result
return None
| check | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *exc_classes):\n if not exc_classes:\n return None\n for cause in self:\n result = cause.check(*exc_classes)\n if result is no... |
def x(cls, exc_info=None, retain_exc_info=True, cause=None, find_cause=True):
if exc_info is None:
exc_info = sys.exc_info()
if not any(exc_info):
raise NoActiveException('No exception currently being handled')
if len(exc_info) != 3:
raise ValueError("Provided 'exc_info' must contain three elements")
exc_type, exc_val, exc_tb = exc_info
try:
if exc_type is None or exc_val is None:
raise ValueError(
'Invalid exception tuple (exception type and exception value must be provided)'
)
exc_args = tuple(getattr(exc_val, 'args', []))
exc_kwargs = dict(getattr(exc_val, 'kwargs', {}))
exc_type_names = utils.extract_roots(exc_type)
if not exc_type_names:
exc_type_name = reflection.get_class_name(exc_val,
truncate_builtins=False)
raise TypeError(
"Invalid exception type '%s' (not an exception)" %
exc_type_name)
exception_str = utils.exception_message(exc_val)
if hasattr(exc_val, '__traceback_str__'):
traceback_str = exc_val.__traceback_str__
elif exc_tb is not None:
traceback_str = '\n'.join(traceback.format_exception(*exc_info))
else:
traceback_str = ''
if not retain_exc_info:
exc_info = None
if find_cause and cause is None:
cause = cls._extract_cause(exc_val)
return cls(exc_info=exc_info, exc_args=exc_args, exc_kwargs=
exc_kwargs, exception_str=exception_str, exc_type_names=
exc_type_names, cause=cause, traceback_str=traceback_str,
generated_on=sys.version_info[0:2])
finally:
del exc_type, exc_val, exc_tb
| from_exc_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, exc_info=None, retain_exc_info=True, cause=None, find_cause=True):\n if exc_info is None:\n exc_info = sys.exc_info()\n if not any(exc_in... |
def x(cls, exception, retain_exc_info=True, cause=None, find_cause=True):
exc_info = type(exception), exception, getattr(exception,
'__traceback__', None)
return cls.from_exc_info(exc_info=exc_info, retain_exc_info=
retain_exc_info, cause=cause, find_cause=find_cause)
| from_exception | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, exception, retain_exc_info=True, cause=None, find_cause=True):\n exc_info = type(exception), exception, getattr(exception,\n '__traceback__', No... |
def x(cls, data):
try:
jsonschema.validate(data, cls.SCHEMA, types={'array': (list, tuple)})
except jsonschema.ValidationError as e:
raise InvalidFormat('Failure data not of the expected format: %s' %
e.message)
else:
causes = collections.deque([data])
while causes:
cause = causes.popleft()
try:
generated_on = cause['generated_on']
ok_bases = cls.BASE_EXCEPTIONS[generated_on[0]]
except (KeyError, IndexError):
ok_bases = []
root_exc_type = cause['exc_type_names'][-1]
if root_exc_type not in ok_bases:
raise InvalidFormat(
"Failure data 'exc_type_names' must have an initial exception type that is one of %s types: '%s' is not one of those types"
% (ok_bases, root_exc_type))
sub_cause = cause.get('cause')
if sub_cause is not None:
causes.append(sub_cause)
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, data):\n try:\n jsonschema.validate(data, cls.SCHEMA, types={'array': (list, tuple)})\n except jsonschema.ValidationError as e:\n rais... |
def x(self, other):
if not isinstance(other, Failure):
return False
if self.exc_info is None or other.exc_info is None:
return self._matches(other)
else:
return self == other
| matches | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n if not isinstance(other, Failure):\n return False\n if self.exc_info is None or other.exc_info is None:\n return self._matc... |
def x(failures, cause_cls_finder=None):
if not isinstance(failures, (list, tuple)):
failures = list(failures)
if len(failures) == 1:
failures[0].reraise(cause_cls_finder=cause_cls_finder)
elif len(failures) > 1:
raise WrappedFailure(failures)
| reraise_if_any | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(failures, cause_cls_finder=None):\n if not isinstance(failures, (list, tuple)):\n failures = list(failures)\n if len(failures) == 1:\n fail... |
def x(self, cause_cls_finder=None):
if self._exc_info:
six.reraise(*self._exc_info)
else:
root = None
parent = None
for cause in itertools.chain([self], self.iter_causes()):
if cause_cls_finder is not None:
cause_cls = cause_cls_finder(cause)
else:
cause_cls = None
if cause_cls is None:
raise WrappedFailure([self])
exc = cause_cls(*cause.exception_args, **cause.exception_kwargs)
exc.__traceback_str__ = cause.traceback_str
if root is None:
root = exc
if parent is not None:
parent.__cause__ = exc
parent = exc
six.reraise(type(root), root, tb=None)
| reraise | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cause_cls_finder=None):\n if self._exc_info:\n six.reraise(*self._exc_info)\n else:\n root = None\n parent = None\n for... |
def x(self, *exc_classes):
for cls in exc_classes:
cls_name = utils.cls_to_cls_name(cls)
if cls_name in self._exc_type_names:
return cls
return None
| check | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *exc_classes):\n for cls in exc_classes:\n cls_name = utils.cls_to_cls_name(cls)\n if cls_name in self._exc_type_names:\n ret... |
def x(self, traceback=False):
buf = six.StringIO()
if not self._exc_type_names:
buf.write('Failure: %s' % self._exception_str)
else:
buf.write('Failure: %s: %s' % (self._exc_type_names[0], self.
_exception_str))
if traceback:
if self._traceback_str is not None:
traceback_str = self._traceback_str.rstrip()
else:
traceback_str = None
if traceback_str:
buf.write(os.linesep)
buf.write(traceback_str)
else:
buf.write(os.linesep)
buf.write('Traceback not available.')
return buf.getvalue()
| pformat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, traceback=False):\n buf = six.StringIO()\n if not self._exc_type_names:\n buf.write('Failure: %s' % self._exception_str)\n else:\n ... |
def x(self):
curr = self._cause
while curr is not None:
yield curr
curr = curr._cause
| iter_causes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n curr = self._cause\n while curr is not None:\n yield curr\n curr = curr._cause\n",
"role": "user"
},
{
"content": "ite... |
def x(cls, exc_val):
nested_exc_vals = []
seen = [exc_val]
while True:
suppress_context = getattr(exc_val, '__suppress_context__', False)
if suppress_context:
attr_lookups = ['__cause__']
else:
attr_lookups = ['__cause__', '__context__']
nested_exc_val = None
for attr_name in attr_lookups:
attr_val = getattr(exc_val, attr_name, None)
if attr_val is None:
continue
nested_exc_val = attr_val
if nested_exc_val is None or nested_exc_val in seen:
break
seen.append(nested_exc_val)
nested_exc_vals.append(nested_exc_val)
exc_val = nested_exc_val
last_cause = None
for exc_val in reversed(nested_exc_vals):
f = cls.from_exception(exc_val, cause=last_cause, find_cause=False)
last_cause = f
return last_cause
| extract_cause | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, exc_val):\n nested_exc_vals = []\n seen = [exc_val]\n while True:\n suppress_context = getattr(exc_val, '__suppress_context__', False)\n ... |
def x(cls, data):
data = dict(data)
cause = data.get('cause')
if cause is not None:
data['cause'] = cls.from_dict(cause)
return cls(**data)
| from_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, data):\n data = dict(data)\n cause = data.get('cause')\n if cause is not None:\n data['cause'] = cls.from_dict(cause)\n return cls(**da... |
def x(self, include_args=True, include_kwargs=True):
data = {'exception_str': self.exception_str, 'traceback_str': self.
traceback_str, 'exc_type_names': self.exception_type_names,
'exc_args': self.exception_args if include_args else tuple(),
'exc_kwargs': self.exception_kwargs if include_kwargs else {},
'generated_on': self.generated_on}
if self._cause is not None:
data['cause'] = self._cause.to_dict(include_args=include_args,
include_kwargs=include_kwargs)
return data
| to_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, include_args=True, include_kwargs=True):\n data = {'exception_str': self.exception_str, 'traceback_str': self.\n traceback_str, 'exc_type_names... |
def x(self, deep=False):
cause = self._cause
if cause is not None:
cause = cause.copy(deep=deep)
exc_info = utils.copy_exc_info(self.exc_info, deep=deep)
exc_args = self.exception_args
exc_kwargs = self.exception_kwargs
if deep:
exc_args = copy.deepcopy(exc_args)
exc_kwargs = copy.deepcopy(exc_kwargs)
else:
exc_args = tuple(exc_args)
exc_kwargs = exc_kwargs.copy()
exc_type_names = tuple(self._exc_type_names)
generated_on = self._generated_on
if generated_on:
generated_on = tuple(generated_on)
return self.__class__(exc_info=exc_info, exception_str=self.
exception_str, traceback_str=self.traceback_str, exc_args=exc_args,
exc_kwargs=exc_kwargs, exc_type_names=exc_type_names, cause=cause,
generated_on=generated_on)
| copy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, deep=False):\n cause = self._cause\n if cause is not None:\n cause = cause.copy(deep=deep)\n exc_info = utils.copy_exc_info(self.exc_info... |
def x(featurename):
import os
import featuremonkey
import importlib
import subprocess
def x(feature_module):
if hasattr(feature_module, '__version__'):
return feature_module.__version__
if hasattr(feature_module, 'get_version'):
return feature_module.get_version()
return (
'unable to determine version: please add __version__ or get_version() to this feature module!'
)
def x(module):
stdout, stderr = subprocess.Popen(['git', 'rev-parse', 'HEAD'], cwd
=os.path.dirname(module.__file__), stdout=subprocess.PIPE,
stderr=subprocess.PIPE).communicate()
if 'Not a git repo' in stderr:
return '-'
else:
return stdout.strip()
def x(module):
stdout = subprocess.Popen(['git', 'diff', '--name-only'], cwd=os.
path.dirname(module.__file__), stdout=subprocess.PIPE, stderr=
subprocess.PIPE).communicate()[0]
return stdout.strip() or '-'
if featurename in featuremonkey.get_features_from_equation_file(os.
environ['PRODUCT_EQUATION_FILENAME']):
print()
print(featurename)
print('-' * 60)
print()
is_subfeature = '.features.' in featurename
try:
feature_module = importlib.import_module(featurename)
except ImportError:
print('Error: unable to import feature "%s"' % featurename)
print('Location: %s' % os.path.dirname(feature_module.__file__))
print()
if is_subfeature:
print('Version: see parent feature')
print()
else:
print('Version: %s' % str(guess_version(feature_module)))
print()
print('git: %s' % git_rev(feature_module))
print()
print('git changed: %s' % '\n\t\t'.join(git_changes(
feature_module).split('\n')))
else:
print('No feature named ' + featurename)
| explain_feature | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(featurename):\n import os\n import featuremonkey\n import importlib\n import subprocess\n\n def x(feature_module):\n if hasattr(feature_m... |
def x():
from ape import tasks
import featuremonkey
import os
featurenames = featuremonkey.get_features_from_equation_file(os.environ
['PRODUCT_EQUATION_FILENAME'])
for featurename in featurenames:
tasks.explain_feature(featurename)
| explain_features | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n from ape import tasks\n import featuremonkey\n import os\n featurenames = featuremonkey.get_features_from_equation_file(os.environ\n ['... |
def x():
vec = ['env', 'TZ=UTC', 'git', 'log', '--date=iso-local', '--pretty=%ad']
day = cmd(*(vec + ['-n', '1'])).split()[0]
commits = cmd(*(vec + ['--since', day + 'T00:00Z'])).strip()
n = len(commits.split('\n'))
day = day.replace('-', '')
if n > 1:
day += '.%s' % n
branch = get_git_branch()
if branch != 'master':
day += '+' + s(branch)
return day
| git_day | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n vec = ['env', 'TZ=UTC', 'git', 'log', '--date=iso-local', '--pretty=%ad']\n day = cmd(*(vec + ['-n', '1'])).split()[0]\n commits = cmd(*(vec + ['... |
def x():
tag = cmd('git', 'describe').strip()
pieces = s(tag).split('-')
dotted = pieces[0]
if len(pieces) < 2:
distance = None
else:
distance = pieces[1]
dotted += '.' + s(distance)
if distance is not None:
branch = get_git_branch()
if branch != 'master':
dotted += '+' + s(branch)
return dotted
| git_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n tag = cmd('git', 'describe').strip()\n pieces = s(tag).split('-')\n dotted = pieces[0]\n if len(pieces) < 2:\n distance = None\n els... |
def x(self, path=None):
if self.version is not None:
with open(path or self.version_file, 'w') as h:
h.write(self.version + '\n')
else:
raise ValueError('Can not write null version to file.')
return self
| imprint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path=None):\n if self.version is not None:\n with open(path or self.version_file, 'w') as h:\n h.write(self.version + '\\n')\n el... |
def x(self, path=None):
if self._version is None:
self._version = file_version(path or self.version_file)
return self
| from_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path=None):\n if self._version is None:\n self._version = file_version(path or self.version_file)\n return self\n",
"role": "user"
},
... |
def x(self, path=None, prefer_daily=False):
if self._version is None:
frame = caller(1)
path = frame.f_globals.get('__file__') or '.'
providers = [git_day, git_version] if prefer_daily else [git_version,
git_day]
for provider in providers:
if self._version is not None:
break
try:
with cd(path):
self._version = provider()
except CalledProcessError:
pass
except OSError as e:
if e.errno != errno.ENOENT:
raise
return self
| from_git | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path=None, prefer_daily=False):\n if self._version is None:\n frame = caller(1)\n path = frame.f_globals.get('__file__') or '.'\n ... |
def x(self):
if self._version is None:
frame = caller(1)
pkg = frame.f_globals.get('__package__')
if pkg is not None:
self._version = pkg_version(pkg)
return self
| from_pkg | [
{
"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._version is None:\n frame = caller(1)\n pkg = frame.f_globals.get('__package__')\n if pkg is not None:\n se... |
def x(self, message):
dump = message.content
if self._hook is not None:
try:
updated_dump = self._hook(message, dump)
if updated_dump is not None:
dump = updated_dump
except (TypeError, ValueError) as ex:
self._logger('Invalid description hook: %s', ex)
return dump
| load_dump | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n dump = message.content\n if self._hook is not None:\n try:\n updated_dump = self._hook(message, dump)\n if... |
def x(self, herald_svc, message):
subject = message.subject
if subject == SUBJECT_DISCOVERY_STEP_1:
try:
notification = self._directory.register_delayed(self.
__load_dump(message))
peer = notification.peer
if peer is not None:
self.__delayed_notifs[peer.uid] = notification
herald_svc.reply(message, self._directory.get_local_peer().
dump(), SUBJECT_DISCOVERY_STEP_2)
except ValueError:
self._logger.error('Error registering a discovered peer')
elif subject == SUBJECT_DISCOVERY_STEP_2:
try:
notification = self._directory.register_delayed(self.
__load_dump(message))
if notification.peer is not None:
herald_svc.reply(message, None, SUBJECT_DISCOVERY_STEP_3)
notification.notify()
except ValueError:
self._logger.error(
'Error registering a peer using the description it sent')
elif subject == SUBJECT_DISCOVERY_STEP_3:
try:
self.__delayed_notifs.pop(message.sender).notify()
except KeyError:
pass
else:
self._logger.warning('Unknown discovery step: %s', subject)
| herald_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, herald_svc, message):\n subject = message.subject\n if subject == SUBJECT_DISCOVERY_STEP_1:\n try:\n notification = self._directo... |
def x(self):
if not self._api_url:
error_msg = (
f'Email is enabled but API_URL is not set. See settings.{self.api_url_attr}'
)
try:
self._api_url = getattr(settings, self.api_url_attr)
except AttributeError:
raise EmailNotEnabledError(error_msg, code=
'api_url_attribute_error')
else:
if not self._api_url:
raise EmailNotEnabledError(error_msg, code='api_url_is_none')
return self._api_url
| api_url | [
{
"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._api_url:\n error_msg = (\n f'Email is enabled but API_URL is not set. See settings.{self.api_url_attr}'\n ... |
def x(self):
if not self._api_key:
error_msg = (
f'Email is enabled but API_KEY is not set. See settings.{self.api_key_attr}'
)
try:
self._api_key = getattr(settings, self.api_key_attr)
except AttributeError:
raise EmailNotEnabledError(error_msg, code=
'api_key_attribute_error')
else:
if not self._api_key:
raise EmailNotEnabledError(error_msg, code='api_key_is_none')
return self._api_key
| api_key | [
{
"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._api_key:\n error_msg = (\n f'Email is enabled but API_KEY is not set. See settings.{self.api_key_attr}'\n ... |
def x(self, user, verbose=None):
if not self.email_enabled:
raise EmailNotEnabledError('See settings.EMAIL_ENABLED')
if not user.email:
raise UserEmailError(f"User {user}'s email address is not defined.")
response = requests.post(f'{self.api_url}/{self.address}/members', auth
=('api', self.api_key), data={'subscribed': True, 'address': user.
email, 'name': f'{user.first_name} {user.last_name}', 'description':
f"{user.userprofile.job_title or ''}", 'upsert': 'yes'})
if verbose:
sys.stdout.write(
f"""Subscribing {user.email} to {self.address}. Got response={response.status_code}.
"""
)
return response
| subscribe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user, verbose=None):\n if not self.email_enabled:\n raise EmailNotEnabledError('See settings.EMAIL_ENABLED')\n if not user.email:\n r... |
def x(self, user, verbose=None):
if not self.email_enabled:
raise EmailNotEnabledError('See settings.EMAIL_ENABLED')
response = requests.put(
f'{self.api_url}/{self.address}/members/{user.email}', auth=('api',
self.api_key), data={'subscribed': False})
if verbose:
sys.stdout.write(
f"""Unsubscribing {user.email} from {self.address}. Got response={response.status_code}.
"""
)
return response
| unsubscribe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user, verbose=None):\n if not self.email_enabled:\n raise EmailNotEnabledError('See settings.EMAIL_ENABLED')\n response = requests.put(\n ... |
def x(self, verbose=None):
if not self.email_enabled:
raise EmailNotEnabledError('See settings.EMAIL_ENABLED')
response = requests.post(self.api_url, auth=('api', self.api_key), data
={'address': self.address, 'name': self.name, 'description': self.
display_name})
if verbose:
sys.stdout.write(
f"""Creating mailing list {self.address}. Got response={response.status_code}.
"""
)
return response
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, verbose=None):\n if not self.email_enabled:\n raise EmailNotEnabledError('See settings.EMAIL_ENABLED')\n response = requests.post(self.api_u... |
def x(self):
if not self.email_enabled:
raise EmailNotEnabledError('See settings.EMAIL_ENABLED')
return requests.delete(f'{self.api_url}/{self.address}', auth=('api',
self.api_key))
| delete | [
{
"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.email_enabled:\n raise EmailNotEnabledError('See settings.EMAIL_ENABLED')\n return requests.delete(f'{self.api_url}/{self.add... |
def x(self, user):
if not self.email_enabled:
raise EmailNotEnabledError('See settings.EMAIL_ENABLED')
return requests.delete(
f'{self.api_url}/{self.address}/members/{user.email}', auth=('api',
self.api_key))
| delete_member | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user):\n if not self.email_enabled:\n raise EmailNotEnabledError('See settings.EMAIL_ENABLED')\n return requests.delete(\n f'{self.ap... |
def x(code):
begin = code[0:10]
year = code[12:14]
end = code[14:]
return '%s(%s)%s' % (begin, year, end)
| fbpe_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(code):\n begin = code[0:10]\n year = code[12:14]\n end = code[14:]\n return '%s(%s)%s' % (begin, year, end)\n",
"role": "user"
},
{
"co... |
def x(unique_id, accesses, from_date, until_date, dayly_granularity):
logger.debug('joining accesses for: %s' % unique_id)
joined_data = {}
listed_data = []
def x(joined_data, atype, data):
if 'total' in data:
del data['total']
for year, months in data.items():
del months['total']
for month in months:
dt = '%s-%s' % (year[1:], month[1:])
if not dt >= from_date[:7] or not dt <= until_date[:7]:
continue
joined_data.setdefault(dt, {})
joined_data[dt].setdefault(atype, 0)
joined_data[dt][atype] += data[year][month]['total']
return joined_data
def x(joined_data, atype, data):
if 'total' in data:
del data['total']
for year, months in data.items():
del months['total']
for month, days in months.items():
del days['total']
for day in days:
dt = '%s-%s-%s' % (year[1:], month[1:], day[1:])
if not dt >= from_date or not dt <= until_date:
continue
joined_data.setdefault(dt, {})
joined_data[dt].setdefault(atype, 0)
joined_data[dt][atype] += data[year][month][day]
return joined_data
joining = joining_monthly
if dayly_granularity:
joining = joining_dayly
for data in accesses:
for key, value in data.items():
if not key in ['abstract', 'html', 'pdf', 'readcube']:
continue
joined_data = joining(joined_data, key, value)
return joined_data
| join_accesses | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(unique_id, accesses, from_date, until_date, dayly_granularity):\n logger.debug('joining accesses for: %s' % unique_id)\n joined_data = {}\n listed_dat... |
def x(self, datestr):
if datestr is None:
raise ValueError(
'Parser must be a string or character stream, not NoneType')
try:
return datetime.strptime(datestr, self.default_date_template).date()
except:
pass
for template in DateTemplates:
try:
dt = datetime.strptime(datestr, template)
self.default_date_template = template
return dt.date()
except:
pass
raise Exception('Unable to parse date from: %r' % datestr)
| str2date | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, datestr):\n if datestr is None:\n raise ValueError(\n 'Parser must be a string or character stream, not NoneType')\n try:\n ... |
def x(self, datetimestr):
if datetimestr is None:
raise ValueError(
'Parser must be a string or character stream, not NoneType')
try:
return datetime.strptime(datetimestr, self.default_datetime_template)
except:
pass
for template in DatetimeTemplates:
try:
dt = datetime.strptime(datetimestr, template)
self.default_datetime_template = template
return dt
except:
pass
dt = parser.parse(datetimestr)
self.str2datetime = parser.parse
return dt
| str2datetime | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, datetimestr):\n if datetimestr is None:\n raise ValueError(\n 'Parser must be a string or character stream, not NoneType')\n try:... |
def x(self, value):
if value is None:
raise Exception('Unable to parse date from %r' % value)
elif isinstance(value, string_types):
return self.str2date(value)
elif isinstance(value, int):
return date.fromordinal(value)
elif isinstance(value, datetime):
return value.date()
elif isinstance(value, date):
return value
else:
raise Exception('Unable to parse date from %r' % value)
| parse_date | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if value is None:\n raise Exception('Unable to parse date from %r' % value)\n elif isinstance(value, string_types):\n retur... |
def x(self, value):
if value is None:
raise Exception('Unable to parse datetime from %r' % value)
elif isinstance(value, string_types):
return self.str2datetime(value)
elif isinstance(value, integer_types):
return self.from_utctimestamp(value)
elif isinstance(value, float):
return self.from_utctimestamp(value)
elif isinstance(value, datetime):
return value
elif isinstance(value, date):
return datetime(value.year, value.month, value.day)
else:
raise Exception('Unable to parse datetime from %r' % value)
| parse_datetime | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if value is None:\n raise Exception('Unable to parse datetime from %r' % value)\n elif isinstance(value, string_types):\n r... |
def x(self, dt):
if dt.tzinfo is None:
dt = dt.replace(tzinfo=utc)
delta = dt - datetime(1970, 1, 1, tzinfo=utc)
return delta.total_seconds()
| to_utctimestamp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dt):\n if dt.tzinfo is None:\n dt = dt.replace(tzinfo=utc)\n delta = dt - datetime(1970, 1, 1, tzinfo=utc)\n return delta.total_seconds()... |
def x(self, timestamp):
if timestamp >= 0:
return datetime.utcfromtimestamp(timestamp)
else:
return datetime(1970, 1, 1) + timedelta(seconds=timestamp)
| from_utctimestamp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timestamp):\n if timestamp >= 0:\n return datetime.utcfromtimestamp(timestamp)\n else:\n return datetime(1970, 1, 1) + timedelta(seco... |
def x(self, freq):
freq = freq.lower().strip()
valid_keywords = ['days', 'day', 'd', 'hours', 'hour', 'h', 'minutes',
'minute', 'min', 'm', 'seconds', 'second', 'sec', 's', 'weeks',
'week', 'w']
error_message = "'%s' is invalid, use one of %s" % (freq, valid_keywords)
try:
for surfix in ['days', 'day', 'd']:
if freq.endswith(surfix):
freq = freq.replace(surfix, '')
return timedelta(days=int(freq))
for surfix in ['hours', 'hour', 'h']:
if freq.endswith(surfix):
freq = freq.replace(surfix, '')
return timedelta(hours=int(freq))
for surfix in ['minutes', 'minute', 'min', 'm']:
if freq.endswith(surfix):
freq = freq.replace(surfix, '')
return timedelta(minutes=int(freq))
for surfix in ['seconds', 'second', 'sec', 's']:
if freq.endswith(surfix):
freq = freq.replace(surfix, '')
return timedelta(seconds=int(freq))
for surfix in ['weeks', 'week', 'w']:
if freq.endswith(surfix):
freq = freq.replace(surfix, '')
return timedelta(days=int(freq) * 7)
except:
pass
raise ValueError(error_message)
| freq_parser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, freq):\n freq = freq.lower().strip()\n valid_keywords = ['days', 'day', 'd', 'hours', 'hour', 'h', 'minutes',\n 'minute', 'min', 'm', 'secon... |
def x(self, start, end, weekday, return_date=False):
start = self.parse_datetime(start)
end = self.parse_datetime(end)
if isinstance(weekday, integer_types):
weekday = [weekday]
series = list()
for i in self.time_series(start, end, freq='1day', return_date=return_date
):
if i.isoweekday() in weekday:
series.append(i)
return series
| weekday_series | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start, end, weekday, return_date=False):\n start = self.parse_datetime(start)\n end = self.parse_datetime(end)\n if isinstance(weekday, integer_... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.