source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(filename):
with open(filename) as f:
lines = f.readlines()
lst = lines[0].split(',')
nmax = int(lst[0])
mmax = int(lst[1])
directivity = float(lst[2])
L = nmax + 1 + mmax * (2 * nmax - mmax + 1)
vec1 = np.zeros(L, dtype=np.complex128)
vec2 = np.zeros(L, dtype=np.complex128)
lines.pop(0)
n = 0
in_vec2 = False
for line in lines:
if line.strip() == 'break':
n = 0
in_vec2 = True
else:
lst = line.split(',')
re = float(lst[0])
im = float(lst[1])
if in_vec2:
vec2[n] = re + 1.0j * im
else:
vec1[n] = re + 1.0j * im
n += 1
return sp.VectorCoefs(vec1, vec2, nmax, mmax), directivity
| load_vcoef | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n with open(filename) as f:\n lines = f.readlines()\n lst = lines[0].split(',')\n nmax = int(lst[0])\n mmax = int(lst[1])\n directivity = float(lst[2])\n L = nmax + 1 + mmax * (2 * nmax - mmax + 1)\n vec1 = np.zeros(L, dtype=np.complex128)\n vec2 = np.zeros(L, dtype=np.complex128)\n lines.pop(0)\n n = 0\n in_vec2 = False\n for line in lines:\n if line.strip() == 'break':\n n = 0\n in_vec2 = True\n else:\n lst = line.split(',')\n re = float(lst[0])\n im = float(lst[1])\n if in_vec2:\n vec2[n] = re + 1.0j * im\n else:\n vec1[n] = re + 1.0j * im\n n += 1\n return sp.VectorCoefs(vec1, vec2, nmax, mmax), directivity\n",
"role": "user"
},
{
"content": "load_vcoef",
"role": "assistant"
}
] |
def x(cls, filename, max_life=None):
data = np.genfromtxt(filename)
if max_life is not None:
data[np.isinf(data)] = max_life
return data
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, filename, max_life=None):\n data = np.genfromtxt(filename)\n if max_life is not None:\n data[np.isinf(data)] = max_life\n return data\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self, dimension):
import matplotlib.pyplot as plt
life_lines = self.get_life_lines(dimension)
x, y = zip(*life_lines)
plt.scatter(x, y)
plt.xlabel('Birth')
plt.ylabel('Death')
if self.max_life is not None:
plt.xlim([0, self.max_life])
plt.title('Persistence Homology Dimension {}'.format(dimension))
plt.show()
| plot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dimension):\n import matplotlib.pyplot as plt\n life_lines = self.get_life_lines(dimension)\n x, y = zip(*life_lines)\n plt.scatter(x, y)\n plt.xlabel('Birth')\n plt.ylabel('Death')\n if self.max_life is not None:\n plt.xlim([0, self.max_life])\n plt.title('Persistence Homology Dimension {}'.format(dimension))\n plt.show()\n",
"role": "user"
},
{
"content": "plot",
"role": "assistant"
}
] |
def x(cls, name, config):
cls.validate_config(config)
instance = cls()
if not instance.name:
instance.name = config.get('name', name)
instance.apply_config(config)
return instance
| from_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, name, config):\n cls.validate_config(config)\n instance = cls()\n if not instance.name:\n instance.name = config.get('name', name)\n instance.apply_config(config)\n return instance\n",
"role": "user"
},
{
"content": "from_config",
"role": "assistant"
}
] |
def x():
parser = argparse.ArgumentParser(description=
"Provision multiple VM's through mist.io. You can get information returned with the name of the virtual machine created and its main mac and ip address in IPv4 format. A post-script can be specified for post-processing."
)
parser.add_argument('-b', '--basename', nargs=1, required=True, help=
'Basename of the newly deployed VMs', dest='basename', type=str)
parser.add_argument('-d', '--debug', required=False, help=
'Enable debug output', dest='debug', action='store_true')
parser.add_argument('-i', '--print-ips', required=False, help=
'Enable IP output', dest='ips', action='store_true')
parser.add_argument('-m', '--print-macs', required=False, help=
'Enable MAC output', dest='macs', action='store_true')
parser.add_argument('-l', '--log-file', nargs=1, required=False, help=
'File to log to (default = stdout)', dest='logfile', type=str)
parser.add_argument('-n', '--number', nargs=1, required=False, help=
'Amount of VMs to deploy (default = 1)', dest='quantity', type=int,
default=[1])
parser.add_argument('-M', '--monitoring', required=False, help=
'Enable monitoring on the virtual machines', dest='monitoring',
action='store_true')
parser.add_argument('-B', '--backend-name', required=False, help=
'The name of the backend to use for provisioning. Defaults to the first available backend'
, dest='backend_name', type=str)
parser.add_argument('-I', '--image-id', required=True, help=
'The image to deploy', dest='image_id')
parser.add_argument('-S', '--size-id', required=True, help=
'The id of the size/flavor to use', dest='size_id')
parser.add_argument('-N', '--networks', required=False, nargs='+', help
='The ids of the networks to assign to the VMs', dest='networks')
parser.add_argument('-s', '--post-script', nargs=1, required=False,
help='Script to be called after each VM is created and booted.',
dest='post_script', type=str)
parser.add_argument('-P', '--script-params', nargs=1, required=False,
help='Script to be called after each VM is created and booted.',
dest='script_params', type=str)
parser.add_argument('-H', '--host', required=False, help=
'mist.io instance to connect to', dest='host', type=str, default=
'https://mist.io')
parser.add_argument('-u', '--user', nargs=1, required=False, help=
'email registered to mist.io', dest='username', type=str)
parser.add_argument('-p', '--password', nargs=1, required=False, help=
'The password with which to connect to the host. If not specified, the user is prompted at runtime for a password'
, dest='password', type=str)
parser.add_argument('-v', '--verbose', required=False, help=
'Enable verbose output', dest='verbose', action='store_true')
parser.add_argument('-w', '--wait-max', nargs=1, required=False, help=
'Maximum amount of seconds to wait when gathering information (default = 600)'
, dest='maxwait', type=int, default=[600])
parser.add_argument('-f', '--associate-floating-ip', required=False,
action='store_true', help=
'Auto-associates floating ips to vms in Openstack backens', dest=
'associate_floating_ip')
args = parser.parse_args()
return args
| get_args | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n parser = argparse.ArgumentParser(description=\n \"Provision multiple VM's through mist.io. You can get information returned with the name of the virtual machine created and its main mac and ip address in IPv4 format. A post-script can be specified for post-processing.\"\n )\n parser.add_argument('-b', '--basename', nargs=1, required=True, help=\n 'Basename of the newly deployed VMs', dest='basename', type=str)\n parser.add_argument('-d', '--debug', required=False, help=\n 'Enable debug output', dest='debug', action='store_true')\n parser.add_argument('-i', '--print-ips', required=False, help=\n 'Enable IP output', dest='ips', action='store_true')\n parser.add_argument('-m', '--print-macs', required=False, help=\n 'Enable MAC output', dest='macs', action='store_true')\n parser.add_argument('-l', '--log-file', nargs=1, required=False, help=\n 'File to log to (default = stdout)', dest='logfile', type=str)\n parser.add_argument('-n', '--number', nargs=1, required=False, help=\n 'Amount of VMs to deploy (default = 1)', dest='quantity', type=int,\n default=[1])\n parser.add_argument('-M', '--monitoring', required=False, help=\n 'Enable monitoring on the virtual machines', dest='monitoring',\n action='store_true')\n parser.add_argument('-B', '--backend-name', required=False, help=\n 'The name of the backend to use for provisioning. Defaults to the first available backend'\n , dest='backend_name', type=str)\n parser.add_argument('-I', '--image-id', required=True, help=\n 'The image to deploy', dest='image_id')\n parser.add_argument('-S', '--size-id', required=True, help=\n 'The id of the size/flavor to use', dest='size_id')\n parser.add_argument('-N', '--networks', required=False, nargs='+', help\n ='The ids of the networks to assign to the VMs', dest='networks')\n parser.add_argument('-s', '--post-script', nargs=1, required=False,\n help='Script to be called after each VM is created and booted.',\n dest='post_script', type=str)\n parser.add_argument('-P', '--script-params', nargs=1, required=False,\n help='Script to be called after each VM is created and booted.',\n dest='script_params', type=str)\n parser.add_argument('-H', '--host', required=False, help=\n 'mist.io instance to connect to', dest='host', type=str, default=\n 'https://mist.io')\n parser.add_argument('-u', '--user', nargs=1, required=False, help=\n 'email registered to mist.io', dest='username', type=str)\n parser.add_argument('-p', '--password', nargs=1, required=False, help=\n 'The password with which to connect to the host. If not specified, the user is prompted at runtime for a password'\n , dest='password', type=str)\n parser.add_argument('-v', '--verbose', required=False, help=\n 'Enable verbose output', dest='verbose', action='store_true')\n parser.add_argument('-w', '--wait-max', nargs=1, required=False, help=\n 'Maximum amount of seconds to wait when gathering information (default = 600)'\n , dest='maxwait', type=int, default=[600])\n parser.add_argument('-f', '--associate-floating-ip', required=False,\n action='store_true', help=\n 'Auto-associates floating ips to vms in Openstack backens', dest=\n 'associate_floating_ip')\n args = parser.parse_args()\n return args\n",
"role": "user"
},
{
"content": "get_args",
"role": "assistant"
}
] |
def x(state, args):
rules = query.files.get_priority_rules(state.db)
print(tabulate(rules, headers=['ID', 'Regexp', 'Priority']))
| command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(state, args):\n rules = query.files.get_priority_rules(state.db)\n print(tabulate(rules, headers=['ID', 'Regexp', 'Priority']))\n",
"role": "user"
},
{
"content": "command",
"role": "assistant"
}
] |
def x(candidates, transactions, min_sup):
counts = defaultdict(lambda : 0)
for transaction in transactions:
for c in (c for c in candidates if set(c).issubset(transaction)):
counts[c] += 1
return {i for i in candidates if counts[i] / len(transactions) >= min_sup}
| filter_support | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(candidates, transactions, min_sup):\n counts = defaultdict(lambda : 0)\n for transaction in transactions:\n for c in (c for c in candidates if set(c).issubset(transaction)):\n counts[c] += 1\n return {i for i in candidates if counts[i] / len(transactions) >= min_sup}\n",
"role": "user"
},
{
"content": "filter_support",
"role": "assistant"
}
] |
def x(freq_set, k):
single_set = {(i,) for i in set(flatten(freq_set))}
cands = [flatten(f) for f in combinations(single_set, k)]
return [cand for cand in cands if validate_candidate(cand, freq_set, k)]
| generate_candidates | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(freq_set, k):\n single_set = {(i,) for i in set(flatten(freq_set))}\n cands = [flatten(f) for f in combinations(single_set, k)]\n return [cand for cand in cands if validate_candidate(cand, freq_set, k)]\n",
"role": "user"
},
{
"content": "generate_candidates",
"role": "assistant"
}
] |
def x(candidate, freq_set, k):
for subcand in combinations(candidate, k - 1):
if subcand not in freq_set:
return False
return True
| validate_candidate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(candidate, freq_set, k):\n for subcand in combinations(candidate, k - 1):\n if subcand not in freq_set:\n return False\n return True\n",
"role": "user"
},
{
"content": "validate_candidate",
"role": "assistant"
}
] |
def x(self, docs):
if self.min_sup < 1 / len(docs):
raise Exception(
'`min_sup` must be greater than or equal to `1/len(docs)`.')
candidates = set()
transactions = []
for doc in POSTokenizer().tokenize(docs):
transaction = set(doc)
candidates = candidates.union({(t,) for t in transaction})
transactions.append(transaction)
freq_set = filter_support(candidates, transactions, self.min_sup)
k = 2
last_set = set()
while freq_set != set():
last_set = freq_set
cands = generate_candidates(freq_set, k)
freq_set = filter_support(cands, transactions, self.min_sup)
k += 1
keywords = flatten(last_set)
return prune([[kw for kw in keywords if kw in doc] for doc in docs])
| tokenize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, docs):\n if self.min_sup < 1 / len(docs):\n raise Exception(\n '`min_sup` must be greater than or equal to `1/len(docs)`.')\n candidates = set()\n transactions = []\n for doc in POSTokenizer().tokenize(docs):\n transaction = set(doc)\n candidates = candidates.union({(t,) for t in transaction})\n transactions.append(transaction)\n freq_set = filter_support(candidates, transactions, self.min_sup)\n k = 2\n last_set = set()\n while freq_set != set():\n last_set = freq_set\n cands = generate_candidates(freq_set, k)\n freq_set = filter_support(cands, transactions, self.min_sup)\n k += 1\n keywords = flatten(last_set)\n return prune([[kw for kw in keywords if kw in doc] for doc in docs])\n",
"role": "user"
},
{
"content": "tokenize",
"role": "assistant"
}
] |
def x(self, tags):
return re.compile(self.raw_tag_re % tags, self.re_flags)
| compile_tag_re | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tags):\n return re.compile(self.raw_tag_re % tags, self.re_flags)\n",
"role": "user"
},
{
"content": "compile_tag_re",
"role": "assistant"
}
] |
def x(self, orm):
User = orm[user_orm_label]
try:
user = User.objects.all()[0]
for article in orm.Article.objects.all():
article.author = user
article.save()
except IndexError:
pass
| forwards | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, orm):\n User = orm[user_orm_label]\n try:\n user = User.objects.all()[0]\n for article in orm.Article.objects.all():\n article.author = user\n article.save()\n except IndexError:\n pass\n",
"role": "user"
},
{
"content": "forwards",
"role": "assistant"
}
] |
def x(value, encoding=None):
q = deque()
_rdumpq(q, 0, value, encoding)
return ''.join(q)
| dumps | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, encoding=None):\n q = deque()\n _rdumpq(q, 0, value, encoding)\n return ''.join(q)\n",
"role": "user"
},
{
"content": "dumps",
"role": "assistant"
}
] |
def x(q, size, value, encoding=None):
write = q.appendleft
if value is None:
write('0:~')
return size + 3
if value is True:
write('4:true!')
return size + 7
if value is False:
write('5:false!')
return size + 8
if isinstance(value, (int, long)):
data = str(value)
ldata = len(data)
span = str(ldata)
write('#')
write(data)
write(':')
write(span)
return size + 2 + len(span) + ldata
if isinstance(value, (float,)):
data = repr(value)
ldata = len(data)
span = str(ldata)
write('^')
write(data)
write(':')
write(span)
return size + 2 + len(span) + ldata
if isinstance(value, str):
lvalue = len(value)
span = str(lvalue)
write(',')
write(value)
write(':')
write(span)
return size + 2 + len(span) + lvalue
if isinstance(value, (list, tuple)):
write(']')
init_size = size = size + 1
for item in reversed(value):
size = _rdumpq(q, size, item, encoding)
span = str(size - init_size)
write(':')
write(span)
return size + 1 + len(span)
if isinstance(value, dict):
write('}')
init_size = size = size + 1
for k, v in value.iteritems():
size = _rdumpq(q, size, v, encoding)
size = _rdumpq(q, size, k, encoding)
span = str(size - init_size)
write(':')
write(span)
return size + 1 + len(span)
if isinstance(value, unicode):
if encoding is None:
raise ValueError('must specify encoding to dump unicode strings')
value = value.encode(encoding)
lvalue = len(value)
span = str(lvalue)
write(',')
write(value)
write(':')
write(span)
return size + 2 + len(span) + lvalue
raise ValueError('unserializable object')
| rdumpq | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(q, size, value, encoding=None):\n write = q.appendleft\n if value is None:\n write('0:~')\n return size + 3\n if value is True:\n write('4:true!')\n return size + 7\n if value is False:\n write('5:false!')\n return size + 8\n if isinstance(value, (int, long)):\n data = str(value)\n ldata = len(data)\n span = str(ldata)\n write('#')\n write(data)\n write(':')\n write(span)\n return size + 2 + len(span) + ldata\n if isinstance(value, (float,)):\n data = repr(value)\n ldata = len(data)\n span = str(ldata)\n write('^')\n write(data)\n write(':')\n write(span)\n return size + 2 + len(span) + ldata\n if isinstance(value, str):\n lvalue = len(value)\n span = str(lvalue)\n write(',')\n write(value)\n write(':')\n write(span)\n return size + 2 + len(span) + lvalue\n if isinstance(value, (list, tuple)):\n write(']')\n init_size = size = size + 1\n for item in reversed(value):\n size = _rdumpq(q, size, item, encoding)\n span = str(size - init_size)\n write(':')\n write(span)\n return size + 1 + len(span)\n if isinstance(value, dict):\n write('}')\n init_size = size = size + 1\n for k, v in value.iteritems():\n size = _rdumpq(q, size, v, encoding)\n size = _rdumpq(q, size, k, encoding)\n span = str(size - init_size)\n write(':')\n write(span)\n return size + 1 + len(span)\n if isinstance(value, unicode):\n if encoding is None:\n raise ValueError('must specify encoding to dump unicode strings')\n value = value.encode(encoding)\n lvalue = len(value)\n span = str(lvalue)\n write(',')\n write(value)\n write(':')\n write(span)\n return size + 2 + len(span) + lvalue\n raise ValueError('unserializable object')\n",
"role": "user"
},
{
"content": "rdumpq",
"role": "assistant"
}
] |
def x(value, encoding):
if value is None:
yield '0:~'
elif value is True:
yield '4:true!'
elif value is False:
yield '5:false!'
elif isinstance(value, (int, long)):
data = str(value)
yield str(len(data))
yield ':'
yield data
yield '#'
elif isinstance(value, (float,)):
data = repr(value)
yield str(len(data))
yield ':'
yield data
yield '^'
elif isinstance(value, (str,)):
yield str(len(value))
yield ':'
yield value
yield ','
elif isinstance(value, (list, tuple)):
sub = []
for item in value:
sub.extend(_gdumps(item))
sub = ''.join(sub)
yield str(len(sub))
yield ':'
yield sub
yield ']'
elif isinstance(value, (dict,)):
sub = []
for k, v in value.iteritems():
sub.extend(_gdumps(k))
sub.extend(_gdumps(v))
sub = ''.join(sub)
yield str(len(sub))
yield ':'
yield sub
yield '}'
elif isinstance(value, (unicode,)):
if encoding is None:
raise ValueError('must specify encoding to dump unicode strings')
value = value.encode(encoding)
yield str(len(value))
yield ':'
yield value
yield ','
else:
raise ValueError('unserializable object')
| gdumps | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, encoding):\n if value is None:\n yield '0:~'\n elif value is True:\n yield '4:true!'\n elif value is False:\n yield '5:false!'\n elif isinstance(value, (int, long)):\n data = str(value)\n yield str(len(data))\n yield ':'\n yield data\n yield '#'\n elif isinstance(value, (float,)):\n data = repr(value)\n yield str(len(data))\n yield ':'\n yield data\n yield '^'\n elif isinstance(value, (str,)):\n yield str(len(value))\n yield ':'\n yield value\n yield ','\n elif isinstance(value, (list, tuple)):\n sub = []\n for item in value:\n sub.extend(_gdumps(item))\n sub = ''.join(sub)\n yield str(len(sub))\n yield ':'\n yield sub\n yield ']'\n elif isinstance(value, (dict,)):\n sub = []\n for k, v in value.iteritems():\n sub.extend(_gdumps(k))\n sub.extend(_gdumps(v))\n sub = ''.join(sub)\n yield str(len(sub))\n yield ':'\n yield sub\n yield '}'\n elif isinstance(value, (unicode,)):\n if encoding is None:\n raise ValueError('must specify encoding to dump unicode strings')\n value = value.encode(encoding)\n yield str(len(value))\n yield ':'\n yield value\n yield ','\n else:\n raise ValueError('unserializable object')\n",
"role": "user"
},
{
"content": "gdumps",
"role": "assistant"
}
] |
def x(file, encoding=None):
c = file.read(1)
if not c.isdigit():
raise ValueError('not a tnetstring: missing or invalid length prefix')
datalen = ord(c) - ord('0')
c = file.read(1)
if datalen != 0:
while c.isdigit():
datalen = 10 * datalen + (ord(c) - ord('0'))
if datalen > 999999999:
errmsg = 'not a tnetstring: absurdly large length prefix'
raise ValueError(errmsg)
c = file.read(1)
if c != ':':
raise ValueError('not a tnetstring: missing or invalid length prefix')
data = file.read(datalen)
if len(data) != datalen:
raise ValueError('not a tnetstring: length prefix too big')
type = file.read(1)
if type == ',':
if encoding is not None:
return data.decode(encoding)
return data
if type == '#':
try:
return int(data)
except ValueError:
raise ValueError('not a tnetstring: invalid integer literal')
if type == '^':
try:
return float(data)
except ValueError:
raise ValueError('not a tnetstring: invalid float literal')
if type == '!':
if data == 'true':
return True
elif data == 'false':
return False
else:
raise ValueError('not a tnetstring: invalid boolean literal')
if type == '~':
if data:
raise ValueError('not a tnetstring: invalid null literal')
return None
if type == ']':
l = []
while data:
item, data = pop(data, encoding)
l.append(item)
return l
if type == '}':
d = {}
while data:
key, data = pop(data, encoding)
val, data = pop(data, encoding)
d[key] = val
return d
raise ValueError('unknown type tag')
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file, encoding=None):\n c = file.read(1)\n if not c.isdigit():\n raise ValueError('not a tnetstring: missing or invalid length prefix')\n datalen = ord(c) - ord('0')\n c = file.read(1)\n if datalen != 0:\n while c.isdigit():\n datalen = 10 * datalen + (ord(c) - ord('0'))\n if datalen > 999999999:\n errmsg = 'not a tnetstring: absurdly large length prefix'\n raise ValueError(errmsg)\n c = file.read(1)\n if c != ':':\n raise ValueError('not a tnetstring: missing or invalid length prefix')\n data = file.read(datalen)\n if len(data) != datalen:\n raise ValueError('not a tnetstring: length prefix too big')\n type = file.read(1)\n if type == ',':\n if encoding is not None:\n return data.decode(encoding)\n return data\n if type == '#':\n try:\n return int(data)\n except ValueError:\n raise ValueError('not a tnetstring: invalid integer literal')\n if type == '^':\n try:\n return float(data)\n except ValueError:\n raise ValueError('not a tnetstring: invalid float literal')\n if type == '!':\n if data == 'true':\n return True\n elif data == 'false':\n return False\n else:\n raise ValueError('not a tnetstring: invalid boolean literal')\n if type == '~':\n if data:\n raise ValueError('not a tnetstring: invalid null literal')\n return None\n if type == ']':\n l = []\n while data:\n item, data = pop(data, encoding)\n l.append(item)\n return l\n if type == '}':\n d = {}\n while data:\n key, data = pop(data, encoding)\n val, data = pop(data, encoding)\n d[key] = val\n return d\n raise ValueError('unknown type tag')\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(string, encoding=None):
try:
dlen, rest = string.split(':', 1)
dlen = int(dlen)
except ValueError:
raise ValueError('not a tnetstring: missing or invalid length prefix')
try:
data, type, remain = rest[:dlen], rest[dlen], rest[dlen + 1:]
except IndexError:
raise ValueError('not a tnetstring: invalid length prefix')
if type == ',':
if encoding is not None:
return data.decode(encoding), remain
return data, remain
if type == '#':
try:
return int(data), remain
except ValueError:
raise ValueError('not a tnetstring: invalid integer literal')
if type == '^':
try:
return float(data), remain
except ValueError:
raise ValueError('not a tnetstring: invalid float literal')
if type == '!':
if data == 'true':
return True, remain
elif data == 'false':
return False, remain
else:
raise ValueError('not a tnetstring: invalid boolean literal')
if type == '~':
if data:
raise ValueError('not a tnetstring: invalid null literal')
return None, remain
if type == ']':
l = []
while data:
item, data = pop(data, encoding)
l.append(item)
return l, remain
if type == '}':
d = {}
while data:
key, data = pop(data, encoding)
val, data = pop(data, encoding)
d[key] = val
return d, remain
raise ValueError('unknown type tag')
| pop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string, encoding=None):\n try:\n dlen, rest = string.split(':', 1)\n dlen = int(dlen)\n except ValueError:\n raise ValueError('not a tnetstring: missing or invalid length prefix')\n try:\n data, type, remain = rest[:dlen], rest[dlen], rest[dlen + 1:]\n except IndexError:\n raise ValueError('not a tnetstring: invalid length prefix')\n if type == ',':\n if encoding is not None:\n return data.decode(encoding), remain\n return data, remain\n if type == '#':\n try:\n return int(data), remain\n except ValueError:\n raise ValueError('not a tnetstring: invalid integer literal')\n if type == '^':\n try:\n return float(data), remain\n except ValueError:\n raise ValueError('not a tnetstring: invalid float literal')\n if type == '!':\n if data == 'true':\n return True, remain\n elif data == 'false':\n return False, remain\n else:\n raise ValueError('not a tnetstring: invalid boolean literal')\n if type == '~':\n if data:\n raise ValueError('not a tnetstring: invalid null literal')\n return None, remain\n if type == ']':\n l = []\n while data:\n item, data = pop(data, encoding)\n l.append(item)\n return l, remain\n if type == '}':\n d = {}\n while data:\n key, data = pop(data, encoding)\n val, data = pop(data, encoding)\n d[key] = val\n return d, remain\n raise ValueError('unknown type tag')\n",
"role": "user"
},
{
"content": "pop",
"role": "assistant"
}
] |
def x(frames):
return N.log(N.abs(N.fft.rfft(frames)).clip(1e-05, N.inf))
| log_magnitude_spectrum | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(frames):\n return N.log(N.abs(N.fft.rfft(frames)).clip(1e-05, N.inf))\n",
"role": "user"
},
{
"content": "log_magnitude_spectrum",
"role": "assistant"
}
] |
def x(frames):
f = frames.flatten()
return N.sqrt(N.mean(f * f))
| RMS_energy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(frames):\n f = frames.flatten()\n return N.sqrt(N.mean(f * f))\n",
"role": "user"
},
{
"content": "RMS_energy",
"role": "assistant"
}
] |
def x(features):
return (features - N.min(features)) / (N.max(features) - N.min(features))
| normalize_features | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(features):\n return (features - N.min(features)) / (N.max(features) - N.min(features))\n",
"role": "user"
},
{
"content": "normalize_features",
"role": "assistant"
}
] |
def x(arr):
dyn_range = 32767.0 / 32767.0
lim_thresh = 30000.0 / 32767.0
lim_range = dyn_range - lim_thresh
new_arr = arr.copy()
inds = N.where(arr > lim_thresh)[0]
new_arr[inds] = (new_arr[inds] - lim_thresh) / lim_range
new_arr[inds] = N.arctan(new_arr[inds]
) * 2.0 / N.pi * lim_range + lim_thresh
inds = N.where(arr < -lim_thresh)[0]
new_arr[inds] = -(new_arr[inds] + lim_thresh) / lim_range
new_arr[inds] = -(N.arctan(new_arr[inds]) * 2.0 / N.pi * lim_range +
lim_thresh)
return new_arr
| limiter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(arr):\n dyn_range = 32767.0 / 32767.0\n lim_thresh = 30000.0 / 32767.0\n lim_range = dyn_range - lim_thresh\n new_arr = arr.copy()\n inds = N.where(arr > lim_thresh)[0]\n new_arr[inds] = (new_arr[inds] - lim_thresh) / lim_range\n new_arr[inds] = N.arctan(new_arr[inds]\n ) * 2.0 / N.pi * lim_range + lim_thresh\n inds = N.where(arr < -lim_thresh)[0]\n new_arr[inds] = -(new_arr[inds] + lim_thresh) / lim_range\n new_arr[inds] = -(N.arctan(new_arr[inds]) * 2.0 / N.pi * lim_range +\n lim_thresh)\n return new_arr\n",
"role": "user"
},
{
"content": "limiter",
"role": "assistant"
}
] |
def x(arr1, arr2):
n = N.shape(arr1)[0]
try:
channels = N.shape(arr1)[1]
except:
channels = 1
f_in = N.linspace(0, 1, num=n)
f_out = N.linspace(1, 0, num=n)
if channels > 1:
f_in = N.tile(f_in, (channels, 1)).T
f_out = N.tile(f_out, (channels, 1)).T
vals = f_out * arr1 + f_in * arr2
return vals
| linear | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(arr1, arr2):\n n = N.shape(arr1)[0]\n try:\n channels = N.shape(arr1)[1]\n except:\n channels = 1\n f_in = N.linspace(0, 1, num=n)\n f_out = N.linspace(1, 0, num=n)\n if channels > 1:\n f_in = N.tile(f_in, (channels, 1)).T\n f_out = N.tile(f_out, (channels, 1)).T\n vals = f_out * arr1 + f_in * arr2\n return vals\n",
"role": "user"
},
{
"content": "linear",
"role": "assistant"
}
] |
def x(arr1, arr2):
n = N.shape(arr1)[0]
try:
channels = N.shape(arr1)[1]
except:
channels = 1
f_in = N.arange(n) / float(n - 1)
f_out = N.arange(n - 1, -1, -1) / float(n)
if channels > 1:
f_in = N.tile(f_in, (channels, 1)).T
f_out = N.tile(f_out, (channels, 1)).T
vals = log_factor(f_out) * arr1 + log_factor(f_in) * arr2
return limiter(vals)
| equal_power | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(arr1, arr2):\n n = N.shape(arr1)[0]\n try:\n channels = N.shape(arr1)[1]\n except:\n channels = 1\n f_in = N.arange(n) / float(n - 1)\n f_out = N.arange(n - 1, -1, -1) / float(n)\n if channels > 1:\n f_in = N.tile(f_in, (channels, 1)).T\n f_out = N.tile(f_out, (channels, 1)).T\n vals = log_factor(f_out) * arr1 + log_factor(f_in) * arr2\n return limiter(vals)\n",
"role": "user"
},
{
"content": "equal_power",
"role": "assistant"
}
] |
def x(arr, length, overlap=0.5):
arr = N.array(arr)
offset = float(overlap) * length
total_segments = int((N.shape(arr)[0] - length) / offset) + 1
other_shape = N.shape(arr)[1:]
out_shape = [total_segments, length]
out_shape.extend(other_shape)
out = N.empty(out_shape)
for i in xrange(total_segments):
out[i][:] = arr[i * offset:i * offset + length]
return out
| segment_array | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(arr, length, overlap=0.5):\n arr = N.array(arr)\n offset = float(overlap) * length\n total_segments = int((N.shape(arr)[0] - length) / offset) + 1\n other_shape = N.shape(arr)[1:]\n out_shape = [total_segments, length]\n out_shape.extend(other_shape)\n out = N.empty(out_shape)\n for i in xrange(total_segments):\n out[i][:] = arr[i * offset:i * offset + length]\n return out\n",
"role": "user"
},
{
"content": "segment_array",
"role": "assistant"
}
] |
def x(d, nkl, **kwargs):
if 'deepcopy' in kwargs:
deepcopy = kwargs['deepcopy']
else:
deepcopy = True
if deepcopy:
d = copy.deepcopy(d)
else:
pass
nd = {}
lngth = nkl.__len__()
for i in range(0, lngth):
k = nkl[i]
nd[k] = d[k]
return nd
| reorder_via_klist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d, nkl, **kwargs):\n if 'deepcopy' in kwargs:\n deepcopy = kwargs['deepcopy']\n else:\n deepcopy = True\n if deepcopy:\n d = copy.deepcopy(d)\n else:\n pass\n nd = {}\n lngth = nkl.__len__()\n for i in range(0, lngth):\n k = nkl[i]\n nd[k] = d[k]\n return nd\n",
"role": "user"
},
{
"content": "reorder_via_klist",
"role": "assistant"
}
] |
def x(d, v):
rslt = []
for key in d:
if d[key] == v:
rslt.append(key)
return rslt
| keys_via_value_nonrecur | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d, v):\n rslt = []\n for key in d:\n if d[key] == v:\n rslt.append(key)\n return rslt\n",
"role": "user"
},
{
"content": "keys_via_value_nonrecur",
"role": "assistant"
}
] |
def x(d, value, **kwargs):
km, vm = _d2kvmatrix(d)
rvmat = _get_rvmat(d)
depth = rvmat.__len__()
kdmat = _scankm(km)
if 'leaf_only' in kwargs:
leaf_only = kwargs['leaf_only']
else:
leaf_only = False
if 'non_leaf_only' in kwargs:
non_leaf_only = kwargs['non_leaf_only']
else:
non_leaf_only = False
if 'from_lv' in kwargs:
from_lv = kwargs['from_lv']
else:
from_lv = 1
if 'to_lv' in kwargs:
to_lv = kwargs['to_lv']
elif 'from_lv' in kwargs:
to_lv = from_lv
else:
to_lv = depth
rslt = []
for i in range(from_lv, to_lv):
rvlevel = rvmat[i]
for j in range(0, rvlevel.__len__()):
v = rvlevel[j]
cond1 = v == value
if leaf_only == True:
cond2 = kdmat[i][j]['leaf'] == True
elif non_leaf_only == True:
cond2 = kdmat[i][j]['leaf'] == False
else:
cond2 = True
cond = cond1 & cond2
if cond:
rslt.append(kdmat[i][j]['path'])
else:
pass
return rslt
| keys_via_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d, value, **kwargs):\n km, vm = _d2kvmatrix(d)\n rvmat = _get_rvmat(d)\n depth = rvmat.__len__()\n kdmat = _scankm(km)\n if 'leaf_only' in kwargs:\n leaf_only = kwargs['leaf_only']\n else:\n leaf_only = False\n if 'non_leaf_only' in kwargs:\n non_leaf_only = kwargs['non_leaf_only']\n else:\n non_leaf_only = False\n if 'from_lv' in kwargs:\n from_lv = kwargs['from_lv']\n else:\n from_lv = 1\n if 'to_lv' in kwargs:\n to_lv = kwargs['to_lv']\n elif 'from_lv' in kwargs:\n to_lv = from_lv\n else:\n to_lv = depth\n rslt = []\n for i in range(from_lv, to_lv):\n rvlevel = rvmat[i]\n for j in range(0, rvlevel.__len__()):\n v = rvlevel[j]\n cond1 = v == value\n if leaf_only == True:\n cond2 = kdmat[i][j]['leaf'] == True\n elif non_leaf_only == True:\n cond2 = kdmat[i][j]['leaf'] == False\n else:\n cond2 = True\n cond = cond1 & cond2\n if cond:\n rslt.append(kdmat[i][j]['path'])\n else:\n pass\n return rslt\n",
"role": "user"
},
{
"content": "keys_via_value",
"role": "assistant"
}
] |
def x(d):
kl = list(d.keys())
vl = list(d.values())
return kl, vl
| d2kvlist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d):\n kl = list(d.keys())\n vl = list(d.values())\n return kl, vl\n",
"role": "user"
},
{
"content": "d2kvlist",
"role": "assistant"
}
] |
def x(d, vl):
dkl, dvl = d2kvlist(d)
kl = []
for i in range(vl.__len__()):
v = vl[i]
index = dvl.index(v)
kl.append(dkl[index])
return kl
| klviavl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d, vl):\n dkl, dvl = d2kvlist(d)\n kl = []\n for i in range(vl.__len__()):\n v = vl[i]\n index = dvl.index(v)\n kl.append(dkl[index])\n return kl\n",
"role": "user"
},
{
"content": "klviavl",
"role": "assistant"
}
] |
def x(arr, interval):
lngth = arr.__len__()
brkseqs = elel.init_range(0, lngth, interval)
l = elel.broken_seqs(arr, brkseqs)
d = elel.mapv(l, lambda ele: {ele[0]: ele[1:]})
return d
| brkl2d | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(arr, interval):\n lngth = arr.__len__()\n brkseqs = elel.init_range(0, lngth, interval)\n l = elel.broken_seqs(arr, brkseqs)\n d = elel.mapv(l, lambda ele: {ele[0]: ele[1:]})\n return d\n",
"role": "user"
},
{
"content": "brkl2d",
"role": "assistant"
}
] |
def x(d):
pt = copy.deepcopy(d)
seqs_for_del = []
vset = set({})
for k in pt:
vset.add(pt[k])
desc = {}
for v in vset:
desc[v] = []
for k in pt:
desc[pt[k]].append(k)
return desc
| vksdesc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d):\n pt = copy.deepcopy(d)\n seqs_for_del = []\n vset = set({})\n for k in pt:\n vset.add(pt[k])\n desc = {}\n for v in vset:\n desc[v] = []\n for k in pt:\n desc[pt[k]].append(k)\n return desc\n",
"role": "user"
},
{
"content": "vksdesc",
"role": "assistant"
}
] |
def x(tuple_list, **kwargs):
if 'deepcopy' in kwargs:
deepcopy = kwargs['deepcopy']
else:
deepcopy = 1
if 'check' in kwargs:
check = kwargs['check']
else:
check = 1
if check:
if tltl.is_tlist(tuple_list):
pass
else:
return None
else:
pass
j = {}
if deepcopy:
new = copy.deepcopy(tuple_list)
else:
new = tuple_list
for i in range(0, new.__len__()):
temp = new[i]
key = temp[0]
value = temp[1]
j[key] = value
return j
| tlist2dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tuple_list, **kwargs):\n if 'deepcopy' in kwargs:\n deepcopy = kwargs['deepcopy']\n else:\n deepcopy = 1\n if 'check' in kwargs:\n check = kwargs['check']\n else:\n check = 1\n if check:\n if tltl.is_tlist(tuple_list):\n pass\n else:\n return None\n else:\n pass\n j = {}\n if deepcopy:\n new = copy.deepcopy(tuple_list)\n else:\n new = tuple_list\n for i in range(0, new.__len__()):\n temp = new[i]\n key = temp[0]\n value = temp[1]\n j[key] = value\n return j\n",
"role": "user"
},
{
"content": "tlist2dict",
"role": "assistant"
}
] |
def x(this_dict, **kwargs):
if 'check' in kwargs:
check = kwargs['check']
else:
check = 1
if check:
if isinstance(this_dict, dict):
pass
else:
return None
else:
pass
if 'deepcopy' in kwargs:
deepcopy = kwargs['deepcopy']
else:
deepcopy = 1
tuple_list = []
if deepcopy:
new = copy.deepcopy(this_dict)
else:
new = this_dict
i = 0
for key in this_dict:
value = this_dict[key]
tuple_list.append((key, value))
return tuple_list
| dict2tlist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(this_dict, **kwargs):\n if 'check' in kwargs:\n check = kwargs['check']\n else:\n check = 1\n if check:\n if isinstance(this_dict, dict):\n pass\n else:\n return None\n else:\n pass\n if 'deepcopy' in kwargs:\n deepcopy = kwargs['deepcopy']\n else:\n deepcopy = 1\n tuple_list = []\n if deepcopy:\n new = copy.deepcopy(this_dict)\n else:\n new = this_dict\n i = 0\n for key in this_dict:\n value = this_dict[key]\n tuple_list.append((key, value))\n return tuple_list\n",
"role": "user"
},
{
"content": "dict2tlist",
"role": "assistant"
}
] |
def x(d):
vl = list(d.values())
lngth1 = vl.__len__()
uvl = elel.uniqualize(vl)
lngth2 = uvl.__len__()
cond = lngth1 == lngth2
return cond
| is_mirrable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d):\n vl = list(d.values())\n lngth1 = vl.__len__()\n uvl = elel.uniqualize(vl)\n lngth2 = uvl.__len__()\n cond = lngth1 == lngth2\n return cond\n",
"role": "user"
},
{
"content": "is_mirrable",
"role": "assistant"
}
] |
def x(d, **kwargs):
md = {}
if 'sort_func' in kwargs:
sort_func = kwargs['sort_func']
else:
sort_func = sorted
vl = list(d.values())
uvl = elel.uniqualize(vl)
for v in uvl:
kl = _keys_via_value_nonrecur(d, v)
k = sorted(kl)[0]
md[v] = k
return md
| dict_mirror | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d, **kwargs):\n md = {}\n if 'sort_func' in kwargs:\n sort_func = kwargs['sort_func']\n else:\n sort_func = sorted\n vl = list(d.values())\n uvl = elel.uniqualize(vl)\n for v in uvl:\n kl = _keys_via_value_nonrecur(d, v)\n k = sorted(kl)[0]\n md[v] = k\n return md\n",
"role": "user"
},
{
"content": "dict_mirror",
"role": "assistant"
}
] |
def x(d, cond_match=None, **kwargs):
if 'cond_func' in kwargs:
cond_func = kwargs['cond_func']
else:
cond_func = _text_cond
if 'cond_func_args' in kwargs:
cond_func_args = kwargs['cond_func_args']
else:
cond_func_args = []
rslt = {}
for key in d:
if cond_func(key, cond_match, *cond_func_args):
rslt[key] = d[key]
else:
pass
return rslt
| cond_select_key_nonrecur | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d, cond_match=None, **kwargs):\n if 'cond_func' in kwargs:\n cond_func = kwargs['cond_func']\n else:\n cond_func = _text_cond\n if 'cond_func_args' in kwargs:\n cond_func_args = kwargs['cond_func_args']\n else:\n cond_func_args = []\n rslt = {}\n for key in d:\n if cond_func(key, cond_match, *cond_func_args):\n rslt[key] = d[key]\n else:\n pass\n return rslt\n",
"role": "user"
},
{
"content": "cond_select_key_nonrecur",
"role": "assistant"
}
] |
def x(d, cond_match=None, **kwargs):
if 'cond_func' in kwargs:
cond_func = kwargs['cond_func']
else:
cond_func = _text_cond
if 'cond_func_args' in kwargs:
cond_func_args = kwargs['cond_func_args']
else:
cond_func_args = []
rslt = {}
for key in d:
value = d[key]
if cond_func(value, cond_match, *cond_func_args):
rslt[key] = d[key]
else:
pass
return rslt
| cond_select_value_nonrecur | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d, cond_match=None, **kwargs):\n if 'cond_func' in kwargs:\n cond_func = kwargs['cond_func']\n else:\n cond_func = _text_cond\n if 'cond_func_args' in kwargs:\n cond_func_args = kwargs['cond_func_args']\n else:\n cond_func_args = []\n rslt = {}\n for key in d:\n value = d[key]\n if cond_func(value, cond_match, *cond_func_args):\n rslt[key] = d[key]\n else:\n pass\n return rslt\n",
"role": "user"
},
{
"content": "cond_select_value_nonrecur",
"role": "assistant"
}
] |
def x(d1, d2):
same = []
kdiff = []
vdiff = []
for key in d1:
value = d1[key]
if key in d2:
if value == d2[key]:
same.append(key)
else:
vdiff.append(key)
else:
kdiff.append(key)
return {'same': same, 'kdiff': kdiff, 'vdiff': vdiff}
| diff_internal | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d1, d2):\n same = []\n kdiff = []\n vdiff = []\n for key in d1:\n value = d1[key]\n if key in d2:\n if value == d2[key]:\n same.append(key)\n else:\n vdiff.append(key)\n else:\n kdiff.append(key)\n return {'same': same, 'kdiff': kdiff, 'vdiff': vdiff}\n",
"role": "user"
},
{
"content": "diff_internal",
"role": "assistant"
}
] |
def x(d1, d2):
u = {}
ds = _diff_internal(d1, d2)
for key in ds['same']:
u[key] = d1[key]
for key in ds['vdiff']:
u[key] = d1[key]
for key in ds['kdiff']:
u[key] = d1[key]
ds = _diff_internal(d2, d1)
for key in ds['kdiff']:
u[key] = d2[key]
return u
| union | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d1, d2):\n u = {}\n ds = _diff_internal(d1, d2)\n for key in ds['same']:\n u[key] = d1[key]\n for key in ds['vdiff']:\n u[key] = d1[key]\n for key in ds['kdiff']:\n u[key] = d1[key]\n ds = _diff_internal(d2, d1)\n for key in ds['kdiff']:\n u[key] = d2[key]\n return u\n",
"role": "user"
},
{
"content": "union",
"role": "assistant"
}
] |
def x(d1, d2):
d = {}
ds = _diff_internal(d1, d2)
for key in ds['vdiff']:
d[key] = d1[key]
for key in ds['kdiff']:
d[key] = d1[key]
return d
| diff | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d1, d2):\n d = {}\n ds = _diff_internal(d1, d2)\n for key in ds['vdiff']:\n d[key] = d1[key]\n for key in ds['kdiff']:\n d[key] = d1[key]\n return d\n",
"role": "user"
},
{
"content": "diff",
"role": "assistant"
}
] |
def x(d1, d2):
i = {}
ds = _diff_internal(d1, d2)
for key in ds['same']:
i[key] = d1[key]
return i
| intersection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d1, d2):\n i = {}\n ds = _diff_internal(d1, d2)\n for key in ds['same']:\n i[key] = d1[key]\n return i\n",
"role": "user"
},
{
"content": "intersection",
"role": "assistant"
}
] |
def x(d1, d2):
u = _union(d1, d2)
c = _diff(u, d1)
return c
| complement | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d1, d2):\n u = _union(d1, d2)\n c = _diff(u, d1)\n return c\n",
"role": "user"
},
{
"content": "complement",
"role": "assistant"
}
] |
def x(d):
pt = copy.deepcopy(d)
seqs_for_del = []
vset = set({})
for k in pt:
vset.add(pt[k])
tslen = vset.__len__()
freq = {}
for k in pt:
v = pt[k]
if v in freq:
freq[v] = freq[v] + 1
seqs_for_del.append(k)
else:
freq[v] = 0
npt = {}
for k in pt:
if k in seqs_for_del:
pass
else:
npt[k] = pt[k]
pt = npt
return npt
| uniqualize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d):\n pt = copy.deepcopy(d)\n seqs_for_del = []\n vset = set({})\n for k in pt:\n vset.add(pt[k])\n tslen = vset.__len__()\n freq = {}\n for k in pt:\n v = pt[k]\n if v in freq:\n freq[v] = freq[v] + 1\n seqs_for_del.append(k)\n else:\n freq[v] = 0\n npt = {}\n for k in pt:\n if k in seqs_for_del:\n pass\n else:\n npt[k] = pt[k]\n pt = npt\n return npt\n",
"role": "user"
},
{
"content": "uniqualize",
"role": "assistant"
}
] |
def x(dict1, dict2, **kwargs):
if 'deepcopy' in kwargs:
deepcopy = kwargs['deepcopy']
else:
deepcopy = 1
if 'overwrite' in kwargs:
overwrite = kwargs['overwrite']
else:
overwrite = 0
if deepcopy:
dict1 = copy.deepcopy(dict1)
dict2 = copy.deepcopy(dict2)
else:
pass
d = dict1
for key in dict2:
if key in dict1:
if overwrite:
d[key] = dict2[key]
else:
pass
else:
d[key] = dict2[key]
return d
| extend | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dict1, dict2, **kwargs):\n if 'deepcopy' in kwargs:\n deepcopy = kwargs['deepcopy']\n else:\n deepcopy = 1\n if 'overwrite' in kwargs:\n overwrite = kwargs['overwrite']\n else:\n overwrite = 0\n if deepcopy:\n dict1 = copy.deepcopy(dict1)\n dict2 = copy.deepcopy(dict2)\n else:\n pass\n d = dict1\n for key in dict2:\n if key in dict1:\n if overwrite:\n d[key] = dict2[key]\n else:\n pass\n else:\n d[key] = dict2[key]\n return d\n",
"role": "user"
},
{
"content": "extend",
"role": "assistant"
}
] |
def x(dict1, dict2):
len_1 = dict1.__len__()
len_2 = dict2.__len__()
if len_2 > len_1:
return False
else:
for k2 in dict2:
v2 = dict2[k2]
if k2 in dict1:
v1 = dict1[k2]
if v1 == v2:
return True
else:
return False
else:
return False
| comprise | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dict1, dict2):\n len_1 = dict1.__len__()\n len_2 = dict2.__len__()\n if len_2 > len_1:\n return False\n else:\n for k2 in dict2:\n v2 = dict2[k2]\n if k2 in dict1:\n v1 = dict1[k2]\n if v1 == v2:\n return True\n else:\n return False\n else:\n return False\n",
"role": "user"
},
{
"content": "comprise",
"role": "assistant"
}
] |
def x(dict1, dict2, **kwargs):
if 'deepcopy' in kwargs:
deepcopy = kwargs['deepcopy']
else:
deepcopy = 1
if deepcopy == 1:
dict1 = copy.deepcopy(dict1)
else:
pass
for key in dict2:
if key in dict1:
dict1[key] = dict2[key]
return dict1
| update_intersection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dict1, dict2, **kwargs):\n if 'deepcopy' in kwargs:\n deepcopy = kwargs['deepcopy']\n else:\n deepcopy = 1\n if deepcopy == 1:\n dict1 = copy.deepcopy(dict1)\n else:\n pass\n for key in dict2:\n if key in dict1:\n dict1[key] = dict2[key]\n return dict1\n",
"role": "user"
},
{
"content": "update_intersection",
"role": "assistant"
}
] |
def x(dict1, dict2, **kwargs):
if 'deepcopy' in kwargs:
deepcopy = kwargs['deepcopy']
else:
deepcopy = 1
if deepcopy == 1:
dict1 = copy.deepcopy(dict1)
else:
pass
dict1 = _extend(dict1, dict2, overwrite=True, deepcopy=deepcopy)
return dict1
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dict1, dict2, **kwargs):\n if 'deepcopy' in kwargs:\n deepcopy = kwargs['deepcopy']\n else:\n deepcopy = 1\n if deepcopy == 1:\n dict1 = copy.deepcopy(dict1)\n else:\n pass\n dict1 = _extend(dict1, dict2, overwrite=True, deepcopy=deepcopy)\n return dict1\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(external_dict, path_list, **kwargs):
if 's2n' in kwargs:
s2n = kwargs['s2n']
else:
s2n = 0
if 'n2s' in kwargs:
n2s = kwargs['n2s']
else:
n2s = 0
if 'default_element' in kwargs:
default_element = kwargs['default_element']
else:
default_element = {}
this = external_dict
for i in range(0, path_list.__len__()):
key = path_list[i]
if n2s == 1:
key = str(key)
if s2n == 1:
try:
int(key)
except:
pass
else:
key = int(key)
try:
this.__getitem__(key)
except:
try:
de = copy.deepcopy(default_element)
this.__setitem__(key, de)
except:
return external_dict
else:
pass
this = this.__getitem__(key)
else:
this = this.__getitem__(key)
return external_dict
| setdefault_via_pathlist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(external_dict, path_list, **kwargs):\n if 's2n' in kwargs:\n s2n = kwargs['s2n']\n else:\n s2n = 0\n if 'n2s' in kwargs:\n n2s = kwargs['n2s']\n else:\n n2s = 0\n if 'default_element' in kwargs:\n default_element = kwargs['default_element']\n else:\n default_element = {}\n this = external_dict\n for i in range(0, path_list.__len__()):\n key = path_list[i]\n if n2s == 1:\n key = str(key)\n if s2n == 1:\n try:\n int(key)\n except:\n pass\n else:\n key = int(key)\n try:\n this.__getitem__(key)\n except:\n try:\n de = copy.deepcopy(default_element)\n this.__setitem__(key, de)\n except:\n return external_dict\n else:\n pass\n this = this.__getitem__(key)\n else:\n this = this.__getitem__(key)\n return external_dict\n",
"role": "user"
},
{
"content": "setdefault_via_pathlist",
"role": "assistant"
}
] |
def x(external_dict, path_list, value, **kwargs):
if 's2n' in kwargs:
s2n = kwargs['s2n']
else:
s2n = 0
if 'n2s' in kwargs:
n2s = kwargs['n2s']
else:
n2s = 0
this = external_dict
for i in range(0, path_list.__len__() - 1):
key = path_list[i]
if n2s == 1:
key = str(key)
if s2n == 1:
try:
int(key)
except:
pass
else:
key = int(key)
this = this.__getitem__(key)
this.__setitem__(path_list[-1], value)
return external_dict
| setitem_via_pathlist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(external_dict, path_list, value, **kwargs):\n if 's2n' in kwargs:\n s2n = kwargs['s2n']\n else:\n s2n = 0\n if 'n2s' in kwargs:\n n2s = kwargs['n2s']\n else:\n n2s = 0\n this = external_dict\n for i in range(0, path_list.__len__() - 1):\n key = path_list[i]\n if n2s == 1:\n key = str(key)\n if s2n == 1:\n try:\n int(key)\n except:\n pass\n else:\n key = int(key)\n this = this.__getitem__(key)\n this.__setitem__(path_list[-1], value)\n return external_dict\n",
"role": "user"
},
{
"content": "setitem_via_pathlist",
"role": "assistant"
}
] |
def x(external_dict, path_list, **kwargs):
if 's2n' in kwargs:
s2n = kwargs['s2n']
else:
s2n = 0
if 'n2s' in kwargs:
n2s = kwargs['n2s']
else:
n2s = 0
this = external_dict
for i in range(0, path_list.__len__()):
key = path_list[i]
if n2s == 1:
key = str(key)
if s2n == 1:
try:
int(key)
except:
pass
else:
key = int(key)
this = this.__getitem__(key)
return this
| getitem_via_pathlist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(external_dict, path_list, **kwargs):\n if 's2n' in kwargs:\n s2n = kwargs['s2n']\n else:\n s2n = 0\n if 'n2s' in kwargs:\n n2s = kwargs['n2s']\n else:\n n2s = 0\n this = external_dict\n for i in range(0, path_list.__len__()):\n key = path_list[i]\n if n2s == 1:\n key = str(key)\n if s2n == 1:\n try:\n int(key)\n except:\n pass\n else:\n key = int(key)\n this = this.__getitem__(key)\n return this\n",
"role": "user"
},
{
"content": "getitem_via_pathlist",
"role": "assistant"
}
] |
def x(external_dict, path_list, **kwargs):
if 's2n' in kwargs:
s2n = kwargs['s2n']
else:
s2n = 0
if 'n2s' in kwargs:
n2s = kwargs['n2s']
else:
n2s = 0
this = external_dict
for i in range(0, path_list.__len__()):
key = path_list[i]
if n2s == 1:
key = str(key)
if s2n == 1:
try:
int(key)
except:
pass
else:
key = int(key)
try:
this = this.__getitem__(key)
except:
return False
else:
pass
return True
| include_pathlist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(external_dict, path_list, **kwargs):\n if 's2n' in kwargs:\n s2n = kwargs['s2n']\n else:\n s2n = 0\n if 'n2s' in kwargs:\n n2s = kwargs['n2s']\n else:\n n2s = 0\n this = external_dict\n for i in range(0, path_list.__len__()):\n key = path_list[i]\n if n2s == 1:\n key = str(key)\n if s2n == 1:\n try:\n int(key)\n except:\n pass\n else:\n key = int(key)\n try:\n this = this.__getitem__(key)\n except:\n return False\n else:\n pass\n return True\n",
"role": "user"
},
{
"content": "include_pathlist",
"role": "assistant"
}
] |
def x(myDict):
maxValueWidth = 0
for each in myDict:
eachValueWidth = myDict[each].__len__()
if eachValueWidth > maxValueWidth:
maxValueWidth = eachValueWidth
return maxValueWidth
| max_word_width | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(myDict):\n maxValueWidth = 0\n for each in myDict:\n eachValueWidth = myDict[each].__len__()\n if eachValueWidth > maxValueWidth:\n maxValueWidth = eachValueWidth\n return maxValueWidth\n",
"role": "user"
},
{
"content": "max_word_width",
"role": "assistant"
}
] |
def x(myDict):
maxValueWidth = 0
for each in myDict:
eachValueWidth = str_display_width(myDict[each])
if eachValueWidth > maxValueWidth:
maxValueWidth = eachValueWidth
return maxValueWidth
| max_display_width | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(myDict):\n maxValueWidth = 0\n for each in myDict:\n eachValueWidth = str_display_width(myDict[each])\n if eachValueWidth > maxValueWidth:\n maxValueWidth = eachValueWidth\n return maxValueWidth\n",
"role": "user"
},
{
"content": "max_display_width",
"role": "assistant"
}
] |
def x(obj):
if is_dict(obj):
length = obj.__len__()
if length == 0:
return True
else:
return False
else:
return True
| is_leaf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n if is_dict(obj):\n length = obj.__len__()\n if length == 0:\n return True\n else:\n return False\n else:\n return True\n",
"role": "user"
},
{
"content": "is_leaf",
"role": "assistant"
}
] |
def x(d):
km = []
vm = [list(d.values())]
vm_history = {(0): [0]}
unhandled = [{'data': d, 'kpl': []}]
while unhandled.__len__() > 0:
next_unhandled = []
keys_level = []
next_vm_history = {}
for i in range(0, unhandled.__len__()):
data = unhandled[i]['data']
kpl = unhandled[i]['kpl']
values = list(data.values())
_setitem_via_pathlist(vm, vm_history[i], values)
vm_pl = vm_history[i]
del vm_history[i]
keys = data.keys()
keys = elel.array_map(keys, _gen_sonpl, kpl)
keys_level.extend(keys)
for j in range(0, values.__len__()):
v = values[j]
cond = is_leaf(v)
if cond:
pass
else:
kpl = copy.deepcopy(keys[j])
next_unhandled.append({'data': v, 'kpl': kpl})
vpl = copy.deepcopy(vm_pl)
vpl.append(j)
next_vm_history[next_unhandled.__len__() - 1] = vpl
vm_history = next_vm_history
km.append(keys_level)
unhandled = next_unhandled
vm = vm[0]
return km, vm
| d2kvmatrix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d):\n km = []\n vm = [list(d.values())]\n vm_history = {(0): [0]}\n unhandled = [{'data': d, 'kpl': []}]\n while unhandled.__len__() > 0:\n next_unhandled = []\n keys_level = []\n next_vm_history = {}\n for i in range(0, unhandled.__len__()):\n data = unhandled[i]['data']\n kpl = unhandled[i]['kpl']\n values = list(data.values())\n _setitem_via_pathlist(vm, vm_history[i], values)\n vm_pl = vm_history[i]\n del vm_history[i]\n keys = data.keys()\n keys = elel.array_map(keys, _gen_sonpl, kpl)\n keys_level.extend(keys)\n for j in range(0, values.__len__()):\n v = values[j]\n cond = is_leaf(v)\n if cond:\n pass\n else:\n kpl = copy.deepcopy(keys[j])\n next_unhandled.append({'data': v, 'kpl': kpl})\n vpl = copy.deepcopy(vm_pl)\n vpl.append(j)\n next_vm_history[next_unhandled.__len__() - 1] = vpl\n vm_history = next_vm_history\n km.append(keys_level)\n unhandled = next_unhandled\n vm = vm[0]\n return km, vm\n",
"role": "user"
},
{
"content": "d2kvmatrix",
"role": "assistant"
}
] |
def x(km):
rslt = []
for i in range(0, km.__len__()):
level = km[i]
for j in range(0, level.__len__()):
kpl = level[j]
print(kpl)
rslt.append(kpl)
return rslt
| show_kmatrix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(km):\n rslt = []\n for i in range(0, km.__len__()):\n level = km[i]\n for j in range(0, level.__len__()):\n kpl = level[j]\n print(kpl)\n rslt.append(kpl)\n return rslt\n",
"role": "user"
},
{
"content": "show_kmatrix",
"role": "assistant"
}
] |
def x(vm):
unhandled = vm
while unhandled.__len__() > 0:
next_unhandled = []
for i in range(0, unhandled.__len__()):
ele = unhandled[i]
print(ele)
cond = elel.is_leaf(ele)
if cond:
pass
else:
children = ele[0]
next_unhandled.append(children)
unhandled = next_unhandled
| show_vmatrix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(vm):\n unhandled = vm\n while unhandled.__len__() > 0:\n next_unhandled = []\n for i in range(0, unhandled.__len__()):\n ele = unhandled[i]\n print(ele)\n cond = elel.is_leaf(ele)\n if cond:\n pass\n else:\n children = ele[0]\n next_unhandled.append(children)\n unhandled = next_unhandled\n",
"role": "user"
},
{
"content": "show_vmatrix",
"role": "assistant"
}
] |
def x(km, vm):
d = {}
kmwfs = get_kmwfs(km)
vmwfs = elel.get_wfs(vm)
lngth = vmwfs.__len__()
for i in range(0, lngth):
value = elel.getitem_via_pathlist(vm, vmwfs[i])
cond = elel.is_leaf(value)
if cond:
_setitem_via_pathlist(d, kmwfs[i], value)
else:
_setdefault_via_pathlist(d, kmwfs[i])
return d
| kvmatrix2d | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(km, vm):\n d = {}\n kmwfs = get_kmwfs(km)\n vmwfs = elel.get_wfs(vm)\n lngth = vmwfs.__len__()\n for i in range(0, lngth):\n value = elel.getitem_via_pathlist(vm, vmwfs[i])\n cond = elel.is_leaf(value)\n if cond:\n _setitem_via_pathlist(d, kmwfs[i], value)\n else:\n _setdefault_via_pathlist(d, kmwfs[i])\n return d\n",
"role": "user"
},
{
"content": "kvmatrix2d",
"role": "assistant"
}
] |
def x(d):
km, vm = _d2kvmatrix(d)
def x(ele, indexc, indexr):
return _getitem_via_pathlist(d, ele)
rvmat = elel.matrix_map(km, map_func)
rvmat = elel.prepend(rvmat, [])
return rvmat
| get_rvmat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d):\n km, vm = _d2kvmatrix(d)\n\n def x(ele, indexc, indexr):\n return _getitem_via_pathlist(d, ele)\n rvmat = elel.matrix_map(km, map_func)\n rvmat = elel.prepend(rvmat, [])\n return rvmat\n",
"role": "user"
},
{
"content": "get_rvmat",
"role": "assistant"
}
] |
def x(d, keypath, attr, **kwargs):
kt, vn = _d2kvmatrix(d)
kdmat = _scankm(kt)
ltree = elel.ListTree(vn)
vndmat = ltree.desc
loc = get_kdmat_loc(kdmat, keypath)
rslt = vndmat[loc[0]][loc[1]][attr]
if rslt == None:
pass
elif elel.is_matrix(rslt, mode='loose'):
if 'path2loc' in kwargs:
rslt = elel.array_map(rslt, ltree.path2loc)
else:
pass
if 'path2keypath' in kwargs:
nlocs = elel.array_map(rslt, ltree.path2loc)
def x(ele, kdmat):
return kdmat[ele[0]][ele[1]]['path']
rslt = elel.array_map(nlocs, cond_func, kdmat)
else:
pass
else:
if 'path2loc' in kwargs:
rslt = ltree.path2loc(rslt)
else:
pass
if 'path2keypath' in kwargs:
nloc = ltree.path2loc(rslt)
rslt = kdmat[nloc[0]][nloc[1]]['path']
else:
pass
return rslt
| get_vndmat_attr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d, keypath, attr, **kwargs):\n kt, vn = _d2kvmatrix(d)\n kdmat = _scankm(kt)\n ltree = elel.ListTree(vn)\n vndmat = ltree.desc\n loc = get_kdmat_loc(kdmat, keypath)\n rslt = vndmat[loc[0]][loc[1]][attr]\n if rslt == None:\n pass\n elif elel.is_matrix(rslt, mode='loose'):\n if 'path2loc' in kwargs:\n rslt = elel.array_map(rslt, ltree.path2loc)\n else:\n pass\n if 'path2keypath' in kwargs:\n nlocs = elel.array_map(rslt, ltree.path2loc)\n\n def x(ele, kdmat):\n return kdmat[ele[0]][ele[1]]['path']\n rslt = elel.array_map(nlocs, cond_func, kdmat)\n else:\n pass\n else:\n if 'path2loc' in kwargs:\n rslt = ltree.path2loc(rslt)\n else:\n pass\n if 'path2keypath' in kwargs:\n nloc = ltree.path2loc(rslt)\n rslt = kdmat[nloc[0]][nloc[1]]['path']\n else:\n pass\n return rslt\n",
"role": "user"
},
{
"content": "get_vndmat_attr",
"role": "assistant"
}
] |
def x(self, *vs, **kwargs):
sd = _select_norecur_via_value(self.dict, *vs, **kwargs)
return Edict(sd)
| sub_via_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *vs, **kwargs):\n sd = _select_norecur_via_value(self.dict, *vs, **kwargs)\n return Edict(sd)\n",
"role": "user"
},
{
"content": "sub_via_value",
"role": "assistant"
}
] |
def x():
result = []
for markup in get_markup_choices():
markup_name = markup[0]
result.append({'name': markup_name, 'title': markup[1],
'description': trim(get_reader(markup=markup_name).description)})
return result
| radpress_get_markup_descriptions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n result = []\n for markup in get_markup_choices():\n markup_name = markup[0]\n result.append({'name': markup_name, 'title': markup[1],\n 'description': trim(get_reader(markup=markup_name).description)})\n return result\n",
"role": "user"
},
{
"content": "radpress_get_markup_descriptions",
"role": "assistant"
}
] |
def x(description):
parser = argparse.ArgumentParser(description=description)
parser.add_argument('key', help='Camellia key.')
parser.add_argument('input_file', nargs='*', help=
'File(s) to read as input data. If none are provided, assume STDIN.')
parser.add_argument('-o', '--output_file', help=
'Output file. If not provided, assume STDOUT.')
parser.add_argument('-l', '--keylen', type=int, default=128, help=
"Length of 'key' in bits, must be in one of %s (default 128)." %
camcrypt.ACCEPTABLE_KEY_LENGTHS)
parser.add_argument('-H', '--hexkey', action='store_true', help=
"Treat 'key' as a hex string rather than binary.")
return parser
| get_parser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(description):\n parser = argparse.ArgumentParser(description=description)\n parser.add_argument('key', help='Camellia key.')\n parser.add_argument('input_file', nargs='*', help=\n 'File(s) to read as input data. If none are provided, assume STDIN.')\n parser.add_argument('-o', '--output_file', help=\n 'Output file. If not provided, assume STDOUT.')\n parser.add_argument('-l', '--keylen', type=int, default=128, help=\n \"Length of 'key' in bits, must be in one of %s (default 128).\" %\n camcrypt.ACCEPTABLE_KEY_LENGTHS)\n parser.add_argument('-H', '--hexkey', action='store_true', help=\n \"Treat 'key' as a hex string rather than binary.\")\n return parser\n",
"role": "user"
},
{
"content": "get_parser",
"role": "assistant"
}
] |
def x(keylen, hexkey, key):
if keylen not in camcrypt.ACCEPTABLE_KEY_LENGTHS:
raise ValueError('key length must be one of 128, 192, or 256')
if hexkey:
key = key.decode('hex')
return camcrypt.CamCrypt(keylen=keylen, key=key)
| get_crypto | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(keylen, hexkey, key):\n if keylen not in camcrypt.ACCEPTABLE_KEY_LENGTHS:\n raise ValueError('key length must be one of 128, 192, or 256')\n if hexkey:\n key = key.decode('hex')\n return camcrypt.CamCrypt(keylen=keylen, key=key)\n",
"role": "user"
},
{
"content": "get_crypto",
"role": "assistant"
}
] |
def x(filenames):
if filenames:
data = ''
for filename in filenames:
with open(filename, 'rb') as f:
data += f.read()
else:
data = sys.stdin.read()
return data
| get_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filenames):\n if filenames:\n data = ''\n for filename in filenames:\n with open(filename, 'rb') as f:\n data += f.read()\n else:\n data = sys.stdin.read()\n return data\n",
"role": "user"
},
{
"content": "get_data",
"role": "assistant"
}
] |
def x(self, value):
if not self._timestamp_is_valid(value):
value = self._calculate_current_timestamp()
self._timestamp = value
| timestamp | [
{
"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 not self._timestamp_is_valid(value):\n value = self._calculate_current_timestamp()\n self._timestamp = value\n",
"role": "user"
},
{
"content": "timestamp",
"role": "assistant"
}
] |
def x(self, value):
if value is None:
value = socket.gethostname()
self._hostname = value
| hostname | [
{
"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 value = socket.gethostname()\n self._hostname = value\n",
"role": "user"
},
{
"content": "hostname",
"role": "assistant"
}
] |
def x(self, value):
if value is None:
value = sys.argv[0]
self._tag = value[:self.MAX_TAG_LEN]
| tag | [
{
"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 value = sys.argv[0]\n self._tag = value[:self.MAX_TAG_LEN]\n",
"role": "user"
},
{
"content": "tag",
"role": "assistant"
}
] |
def x(self, value):
value = self._prepend_seperator(value)
self._content = value
| content | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n value = self._prepend_seperator(value)\n self._content = value\n",
"role": "user"
},
{
"content": "content",
"role": "assistant"
}
] |
def x(self, facility, level, text, pid=False):
pri = PRI(facility, level)
header = HEADER()
if pid:
msg = MSG(content=text, pid=os.getpid())
else:
msg = MSG(content=text)
packet = Packet(pri, header, msg)
self._send_packet_to_hosts(packet)
| log | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, facility, level, text, pid=False):\n pri = PRI(facility, level)\n header = HEADER()\n if pid:\n msg = MSG(content=text, pid=os.getpid())\n else:\n msg = MSG(content=text)\n packet = Packet(pri, header, msg)\n self._send_packet_to_hosts(packet)\n",
"role": "user"
},
{
"content": "log",
"role": "assistant"
}
] |
def x(self, count_common=4, min_common=1000, timeout=20):
start = time()
while time() - start < timeout:
tokens = [token for token, pos in self.brown.get_tagged_sent()]
current_count = 0
for word, commonness in self.sentence_tool.rate(tokens):
if commonness > min_common:
current_count += 1
if current_count >= count_common:
self.tokens = tokens
return self.tokens
raise TimeoutError
| refresh | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, count_common=4, min_common=1000, timeout=20):\n start = time()\n while time() - start < timeout:\n tokens = [token for token, pos in self.brown.get_tagged_sent()]\n current_count = 0\n for word, commonness in self.sentence_tool.rate(tokens):\n if commonness > min_common:\n current_count += 1\n if current_count >= count_common:\n self.tokens = tokens\n return self.tokens\n raise TimeoutError\n",
"role": "user"
},
{
"content": "refresh",
"role": "assistant"
}
] |
def x(self, number_of_words=6, hint=''):
keywords = [self.wordlist.get_random_word() for _ in range(number_of_words)
]
password = self.conformizer.conformize(keywords)
if hint:
keywords = [hint] + keywords
return password, self.to_sentence.from_keywords(keywords)
| new_common_diceware_password | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, number_of_words=6, hint=''):\n keywords = [self.wordlist.get_random_word() for _ in range(number_of_words)\n ]\n password = self.conformizer.conformize(keywords)\n if hint:\n keywords = [hint] + keywords\n return password, self.to_sentence.from_keywords(keywords)\n",
"role": "user"
},
{
"content": "new_common_diceware_password",
"role": "assistant"
}
] |
def x(self, min_length=4, min_common=1000, timeout=20, refresh_timeout=3):
self.refresh(count_common=min_length, min_common=min_common, timeout=
refresh_timeout)
rating = self.sentence_tool.rate(self.tokens)
start = time()
while time() - start < timeout:
pin = ''
for token, commonness in rating:
if commonness >= min_common:
key = self.mnemonic.word_to_key('major_system', token.lower())
if key is not None:
pin += key
if len(pin) < min_length:
self.refresh(count_common=min_length, min_common=min_common,
timeout=refresh_timeout)
rating = self.sentence_tool.rate(self.tokens)
else:
return pin, list(self.overlap_pin(pin, self.tokens))
return None
| new_pin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, min_length=4, min_common=1000, timeout=20, refresh_timeout=3):\n self.refresh(count_common=min_length, min_common=min_common, timeout=\n refresh_timeout)\n rating = self.sentence_tool.rate(self.tokens)\n start = time()\n while time() - start < timeout:\n pin = ''\n for token, commonness in rating:\n if commonness >= min_common:\n key = self.mnemonic.word_to_key('major_system', token.lower())\n if key is not None:\n pin += key\n if len(pin) < min_length:\n self.refresh(count_common=min_length, min_common=min_common,\n timeout=refresh_timeout)\n rating = self.sentence_tool.rate(self.tokens)\n else:\n return pin, list(self.overlap_pin(pin, self.tokens))\n return None\n",
"role": "user"
},
{
"content": "new_pin",
"role": "assistant"
}
] |
def x(self, config):
self.uri = config['uri']
self.use_https = config.get('https', False)
self.method = config.get('method', 'GET')
| apply_check_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.uri = config['uri']\n self.use_https = config.get('https', False)\n self.method = config.get('method', 'GET')\n",
"role": "user"
},
{
"content": "apply_check_config",
"role": "assistant"
}
] |
def x(self):
if self.use_https:
conn = client.HTTPSConnection(self.host, self.port)
else:
conn = client.HTTPConnection(self.host, self.port)
conn.request(self.method, self.uri)
response = conn.getresponse()
conn.close()
return bool(response.status >= 200 and response.status < 300)
| perform | [
{
"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.use_https:\n conn = client.HTTPSConnection(self.host, self.port)\n else:\n conn = client.HTTPConnection(self.host, self.port)\n conn.request(self.method, self.uri)\n response = conn.getresponse()\n conn.close()\n return bool(response.status >= 200 and response.status < 300)\n",
"role": "user"
},
{
"content": "perform",
"role": "assistant"
}
] |
def x(self):
def x():
for balancer in self.configurables[Balancer].values():
balancer.sync_file(self.configurables[Cluster].values())
self.work_pool.submit(sync)
| sync_balancer_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n def x():\n for balancer in self.configurables[Balancer].values():\n balancer.sync_file(self.configurables[Cluster].values())\n self.work_pool.submit(sync)\n",
"role": "user"
},
{
"content": "sync_balancer_files",
"role": "assistant"
}
] |
def x(self, name):
if len(self.configurables[Balancer]) == 1:
logger.critical(
"'%s' config file removed! It was the only balancer left!", name)
| on_balancer_remove | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n if len(self.configurables[Balancer]) == 1:\n logger.critical(\n \"'%s' config file removed! It was the only balancer left!\", name)\n",
"role": "user"
},
{
"content": "on_balancer_remove",
"role": "assistant"
}
] |
def x(self, discovery):
discovery.connect()
for cluster in self.configurables[Cluster].values():
if cluster.discovery != discovery.name:
continue
self.launch_thread(cluster.name, discovery.start_watching, cluster,
self.sync_balancer_files)
self.sync_balancer_files()
| on_discovery_add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, discovery):\n discovery.connect()\n for cluster in self.configurables[Cluster].values():\n if cluster.discovery != discovery.name:\n continue\n self.launch_thread(cluster.name, discovery.start_watching, cluster,\n self.sync_balancer_files)\n self.sync_balancer_files()\n",
"role": "user"
},
{
"content": "on_discovery_add",
"role": "assistant"
}
] |
def x(self, name):
self.configurables[Discovery][name].stop()
self.sync_balancer_files()
| on_discovery_remove | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n self.configurables[Discovery][name].stop()\n self.sync_balancer_files()\n",
"role": "user"
},
{
"content": "on_discovery_remove",
"role": "assistant"
}
] |
def x(self, cluster):
if cluster.discovery not in self.configurables[Discovery]:
return
discovery = self.configurables[Discovery][cluster.discovery]
self.launch_thread(cluster.name, discovery.start_watching, cluster,
self.sync_balancer_files)
| on_cluster_add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cluster):\n if cluster.discovery not in self.configurables[Discovery]:\n return\n discovery = self.configurables[Discovery][cluster.discovery]\n self.launch_thread(cluster.name, discovery.start_watching, cluster,\n self.sync_balancer_files)\n",
"role": "user"
},
{
"content": "on_cluster_add",
"role": "assistant"
}
] |
def x(self, name, new_config):
cluster = self.configurables[Cluster][name]
old_discovery = cluster.discovery
new_discovery = new_config['discovery']
if old_discovery == new_discovery:
self.sync_balancer_files()
return
logger.info("Switching '%s' cluster discovery from '%s' to '%s'", name,
old_discovery, new_discovery)
if old_discovery in self.configurables[Discovery]:
self.configurables[Discovery][old_discovery].stop_watching(cluster)
self.kill_thread(cluster.name)
if new_discovery not in self.configurables[Discovery]:
logger.warn(
"New discovery '%s' for cluster '%s' is unknown/unavailable.",
new_discovery, name)
self.sync_balancer_files()
return
discovery = self.configurables[Discovery][new_discovery]
self.launch_thread(cluster.name, discovery.start_watching, cluster,
self.sync_balancer_files)
| on_cluster_update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, new_config):\n cluster = self.configurables[Cluster][name]\n old_discovery = cluster.discovery\n new_discovery = new_config['discovery']\n if old_discovery == new_discovery:\n self.sync_balancer_files()\n return\n logger.info(\"Switching '%s' cluster discovery from '%s' to '%s'\", name,\n old_discovery, new_discovery)\n if old_discovery in self.configurables[Discovery]:\n self.configurables[Discovery][old_discovery].stop_watching(cluster)\n self.kill_thread(cluster.name)\n if new_discovery not in self.configurables[Discovery]:\n logger.warn(\n \"New discovery '%s' for cluster '%s' is unknown/unavailable.\",\n new_discovery, name)\n self.sync_balancer_files()\n return\n discovery = self.configurables[Discovery][new_discovery]\n self.launch_thread(cluster.name, discovery.start_watching, cluster,\n self.sync_balancer_files)\n",
"role": "user"
},
{
"content": "on_cluster_update",
"role": "assistant"
}
] |
def x(self, name):
discovery_name = self.configurables[Cluster][name].discovery
if discovery_name in self.configurables[Discovery]:
self.configurables[Discovery][discovery_name].stop_watching(self.
configurables[Cluster][name])
self.kill_thread(name)
self.sync_balancer_files()
| on_cluster_remove | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n discovery_name = self.configurables[Cluster][name].discovery\n if discovery_name in self.configurables[Discovery]:\n self.configurables[Discovery][discovery_name].stop_watching(self.\n configurables[Cluster][name])\n self.kill_thread(name)\n self.sync_balancer_files()\n",
"role": "user"
},
{
"content": "on_cluster_remove",
"role": "assistant"
}
] |
def x(path):
bits = path.lstrip('/').split('/')
if not bits:
raise exceptions.BadPathError(path)
if bits[-1]:
bits[-1], port = get_port(bits[-1])
else:
port = None
if path[0] == '/':
bits = ['/'] + bits
condensed_bits = []
for bit in bits:
if bit == '.':
continue
if bit == '..':
condensed_bits = condensed_bits[:-1]
continue
condensed_bits.append(bit)
if not condensed_bits:
condensed_bits = ['/']
return condensed_bits, port
| parse_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n bits = path.lstrip('/').split('/')\n if not bits:\n raise exceptions.BadPathError(path)\n if bits[-1]:\n bits[-1], port = get_port(bits[-1])\n else:\n port = None\n if path[0] == '/':\n bits = ['/'] + bits\n condensed_bits = []\n for bit in bits:\n if bit == '.':\n continue\n if bit == '..':\n condensed_bits = condensed_bits[:-1]\n continue\n condensed_bits.append(bit)\n if not condensed_bits:\n condensed_bits = ['/']\n return condensed_bits, port\n",
"role": "user"
},
{
"content": "parse_path",
"role": "assistant"
}
] |
def x(path):
if path[1]:
port = ':' + path[1]
else:
port = ''
if type(path[0]) is str:
return path[0] + port
if path[0][0] == '/':
starter = '/'
path = path[0][1:]
else:
starter = ''
path = path[0]
return starter + '/'.join(path) + port
| format_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[1]:\n port = ':' + path[1]\n else:\n port = ''\n if type(path[0]) is str:\n return path[0] + port\n if path[0][0] == '/':\n starter = '/'\n path = path[0][1:]\n else:\n starter = ''\n path = path[0]\n return starter + '/'.join(path) + port\n",
"role": "user"
},
{
"content": "format_path",
"role": "assistant"
}
] |
def x(self, distance_matrix_file_name='distance.matrix', remote_folder_path
=None):
parameters = []
pm_dict = self.get_dict()
for k, v in pm_dict.iteritems():
parameters += ['--' + k, v]
if remote_folder_path is None:
parameters += [distance_matrix_file_name]
else:
parameters += [remote_folder_path + distance_matrix_file_name]
return map(str, parameters)
| cmdline_params | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, distance_matrix_file_name='distance.matrix', remote_folder_path\n =None):\n parameters = []\n pm_dict = self.get_dict()\n for k, v in pm_dict.iteritems():\n parameters += ['--' + k, v]\n if remote_folder_path is None:\n parameters += [distance_matrix_file_name]\n else:\n parameters += [remote_folder_path + distance_matrix_file_name]\n return map(str, parameters)\n",
"role": "user"
},
{
"content": "cmdline_params",
"role": "assistant"
}
] |
def x(color, string):
if not color_available:
return string
return color + string + colorama.Fore.RESET
| color_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(color, string):\n if not color_available:\n return string\n return color + string + colorama.Fore.RESET\n",
"role": "user"
},
{
"content": "color_string",
"role": "assistant"
}
] |
def x(level):
if not color_available:
return None
return {logging.DEBUG: colorama.Fore.WHITE, logging.INFO: colorama.Fore
.BLUE, logging.WARNING: colorama.Fore.YELLOW, logging.ERROR:
colorama.Fore.RED, logging.CRITICAL: colorama.Fore.MAGENTA}.get(level,
colorama.Fore.WHITE)
| color_for_level | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(level):\n if not color_available:\n return None\n return {logging.DEBUG: colorama.Fore.WHITE, logging.INFO: colorama.Fore\n .BLUE, logging.WARNING: colorama.Fore.YELLOW, logging.ERROR:\n colorama.Fore.RED, logging.CRITICAL: colorama.Fore.MAGENTA}.get(level,\n colorama.Fore.WHITE)\n",
"role": "user"
},
{
"content": "color_for_level",
"role": "assistant"
}
] |
def x():
if not color_available:
return itertools.cycle([None])
return itertools.cycle((colorama.Fore.CYAN, colorama.Fore.BLUE,
colorama.Fore.MAGENTA, colorama.Fore.GREEN))
| create_thread_color_cycle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if not color_available:\n return itertools.cycle([None])\n return itertools.cycle((colorama.Fore.CYAN, colorama.Fore.BLUE,\n colorama.Fore.MAGENTA, colorama.Fore.GREEN))\n",
"role": "user"
},
{
"content": "create_thread_color_cycle",
"role": "assistant"
}
] |
def x(thread_id):
if thread_id not in seen_thread_colors:
seen_thread_colors[thread_id] = next(thread_colors)
return seen_thread_colors[thread_id]
| color_for_thread | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(thread_id):\n if thread_id not in seen_thread_colors:\n seen_thread_colors[thread_id] = next(thread_colors)\n return seen_thread_colors[thread_id]\n",
"role": "user"
},
{
"content": "color_for_thread",
"role": "assistant"
}
] |
def x(self, record):
if not self.is_tty:
return super(CLIHandler, self).format(record)
level_abbrev = record.levelname[0]
time_and_level = color_string(color_for_level(record.levelno),
'[%(asctime)s ' + level_abbrev + ']')
thread = color_string(color_for_thread(record.thread), '[%(threadName)s]')
formatter = logging.Formatter(time_and_level + thread + ' %(message)s',
'%Y-%m-%d %H:%M:%S')
return formatter.format(record)
| format | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, record):\n if not self.is_tty:\n return super(CLIHandler, self).format(record)\n level_abbrev = record.levelname[0]\n time_and_level = color_string(color_for_level(record.levelno), \n '[%(asctime)s ' + level_abbrev + ']')\n thread = color_string(color_for_thread(record.thread), '[%(threadName)s]')\n formatter = logging.Formatter(time_and_level + thread + ' %(message)s',\n '%Y-%m-%d %H:%M:%S')\n return formatter.format(record)\n",
"role": "user"
},
{
"content": "format",
"role": "assistant"
}
] |
def x(client, cloud, keys):
title = cloud.get('title')
provider = cloud.get('provider')
key = cloud.get('apikey', '')
secret = cloud.get('apisecret', '')
tenant_name = cloud.get('tenant_name', '')
region = cloud.get('region', '')
apiurl = cloud.get('apiurl', '')
compute_endpoint = cloud.get('compute_endpoint', None)
machine_ip = cloud.get('machine_ip', None)
machine_key = cloud.get('machine_key', None)
machine_user = cloud.get('machine_user', None)
machine_port = cloud.get('machine_port', None)
if provider == 'bare_metal':
machine_ids = cloud['machines'].keys()
bare_machine = cloud['machines'][machine_ids[0]]
machine_hostname = bare_machine.get('dns_name', None)
if not machine_hostname:
machine_hostname = bare_machine['public_ips'][0]
if not machine_ip:
machine_ip = machine_hostname
key = machine_hostname
machine_name = cloud['machines'][machine_ids[0]]['name']
machine_id = machine_ids[0]
keypairs = keys.keys()
for i in keypairs:
keypair_machines = keys[i]['machines']
if keypair_machines:
keypair_machs = keys[i]['machines']
for mach in keypair_machs:
if mach[1] == machine_id:
machine_key = i
break
else:
pass
client.add_cloud(title, provider, key, secret, tenant_name=tenant_name,
region=region, apiurl=apiurl, machine_ip=machine_ip, machine_key=
machine_key, machine_user=machine_user, compute_endpoint=
compute_endpoint, machine_port=machine_port)
| add_bare_metal_cloud | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client, cloud, keys):\n title = cloud.get('title')\n provider = cloud.get('provider')\n key = cloud.get('apikey', '')\n secret = cloud.get('apisecret', '')\n tenant_name = cloud.get('tenant_name', '')\n region = cloud.get('region', '')\n apiurl = cloud.get('apiurl', '')\n compute_endpoint = cloud.get('compute_endpoint', None)\n machine_ip = cloud.get('machine_ip', None)\n machine_key = cloud.get('machine_key', None)\n machine_user = cloud.get('machine_user', None)\n machine_port = cloud.get('machine_port', None)\n if provider == 'bare_metal':\n machine_ids = cloud['machines'].keys()\n bare_machine = cloud['machines'][machine_ids[0]]\n machine_hostname = bare_machine.get('dns_name', None)\n if not machine_hostname:\n machine_hostname = bare_machine['public_ips'][0]\n if not machine_ip:\n machine_ip = machine_hostname\n key = machine_hostname\n machine_name = cloud['machines'][machine_ids[0]]['name']\n machine_id = machine_ids[0]\n keypairs = keys.keys()\n for i in keypairs:\n keypair_machines = keys[i]['machines']\n if keypair_machines:\n keypair_machs = keys[i]['machines']\n for mach in keypair_machs:\n if mach[1] == machine_id:\n machine_key = i\n break\n else:\n pass\n client.add_cloud(title, provider, key, secret, tenant_name=tenant_name,\n region=region, apiurl=apiurl, machine_ip=machine_ip, machine_key=\n machine_key, machine_user=machine_user, compute_endpoint=\n compute_endpoint, machine_port=machine_port)\n",
"role": "user"
},
{
"content": "add_bare_metal_cloud",
"role": "assistant"
}
] |
def x(self, channels=2):
if self.fade_type == 'linear':
return np.linspace(self.in_volume, self.out_volume, self.duration *
channels).reshape(self.duration, channels)
elif self.fade_type == 'exponential':
if self.in_volume < self.out_volume:
return (np.logspace(8, 1, self.duration * channels, base=0.5) *
(self.out_volume - self.in_volume) / 0.5 + self.in_volume
).reshape(self.duration, channels)
else:
return (np.logspace(1, 8, self.duration * channels, base=0.5) *
(self.in_volume - self.out_volume) / 0.5 + self.out_volume
).reshape(self.duration, channels)
elif self.fade_type == 'cosine':
return
| to_array | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channels=2):\n if self.fade_type == 'linear':\n return np.linspace(self.in_volume, self.out_volume, self.duration *\n channels).reshape(self.duration, channels)\n elif self.fade_type == 'exponential':\n if self.in_volume < self.out_volume:\n return (np.logspace(8, 1, self.duration * channels, base=0.5) *\n (self.out_volume - self.in_volume) / 0.5 + self.in_volume\n ).reshape(self.duration, channels)\n else:\n return (np.logspace(1, 8, self.duration * channels, base=0.5) *\n (self.in_volume - self.out_volume) / 0.5 + self.out_volume\n ).reshape(self.duration, channels)\n elif self.fade_type == 'cosine':\n return\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(self, sql: str, *qmark_params, **named_params):
statement = SingleSqlStatement(sql)
return self.statement(statement).execute(*qmark_params, **named_params)
| sql | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sql: str, *qmark_params, **named_params):\n statement = SingleSqlStatement(sql)\n return self.statement(statement).execute(*qmark_params, **named_params)\n",
"role": "user"
},
{
"content": "sql",
"role": "assistant"
}
] |
def x(self, sql: str, params=()):
statement = SingleSqlStatement(sql)
return self.statement(statement).execute_for_params(params).cursor
| sql | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sql: str, params=()):\n statement = SingleSqlStatement(sql)\n return self.statement(statement).execute_for_params(params).cursor\n",
"role": "user"
},
{
"content": "sql",
"role": "assistant"
}
] |
def x(self):
if self.SacrificeDate:
self.Active = False
super(PlugEvents, self).save()
| save | [
{
"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.SacrificeDate:\n self.Active = False\n super(PlugEvents, self).save()\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(state, args):
args = parser.parse_args(args[1:])
aid = state.results.parse_aid(args.aid, default_key='db')
anime = query.select.lookup(state.db, aid, episode_fields=args.
episode_fields)
complete_string = 'yes' if anime.complete else 'no'
print(SHOW_MSG.format(anime.aid, anime.title, anime.type, anime.
watched_episodes, anime.episodecount, datets.to_date(anime.
startdate) if anime.startdate else 'N/A', datets.to_date(anime.
enddate) if anime.enddate else 'N/A', complete_string))
if anime.regexp:
print('Watching regexp: {}'.format(anime.regexp))
if hasattr(anime, 'episodes'):
episodes = sorted(anime.episodes, key=lambda x: (x.type, x.number))
print('\n', tabulate(((EpisodeTypes.from_db(state.db).get_epno(
episode), episode.title, episode.length, 'yes' if episode.
user_watched else '') for episode in episodes), headers=[
'Number', 'Title', 'min', 'Watched']))
| command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(state, args):\n args = parser.parse_args(args[1:])\n aid = state.results.parse_aid(args.aid, default_key='db')\n anime = query.select.lookup(state.db, aid, episode_fields=args.\n episode_fields)\n complete_string = 'yes' if anime.complete else 'no'\n print(SHOW_MSG.format(anime.aid, anime.title, anime.type, anime.\n watched_episodes, anime.episodecount, datets.to_date(anime.\n startdate) if anime.startdate else 'N/A', datets.to_date(anime.\n enddate) if anime.enddate else 'N/A', complete_string))\n if anime.regexp:\n print('Watching regexp: {}'.format(anime.regexp))\n if hasattr(anime, 'episodes'):\n episodes = sorted(anime.episodes, key=lambda x: (x.type, x.number))\n print('\\n', tabulate(((EpisodeTypes.from_db(state.db).get_epno(\n episode), episode.title, episode.length, 'yes' if episode.\n user_watched else '') for episode in episodes), headers=[\n 'Number', 'Title', 'min', 'Watched']))\n",
"role": "user"
},
{
"content": "command",
"role": "assistant"
}
] |
def x(s3_loc, success_only=None, recent_versions=None, exclude_regex=None,
just_sql=False):
bucket_name, prefix = _get_bucket_and_prefix(s3_loc)
datasets = _get_common_prefixes(bucket_name, prefix)
bash_cmd = ''
for dataset in datasets:
dataset = _remove_trailing_backslash(dataset)
try:
bash_cmd += get_bash_cmd('s3://{}/{}'.format(bucket_name,
dataset), success_only=success_only, recent_versions=
recent_versions, exclude_regex=exclude_regex, just_sql=just_sql
)
except Exception as e:
sys.stderr.write('Failed to process {}, {}\n'.format(dataset,
str(e)))
return bash_cmd
| load_prefix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s3_loc, success_only=None, recent_versions=None, exclude_regex=None,\n just_sql=False):\n bucket_name, prefix = _get_bucket_and_prefix(s3_loc)\n datasets = _get_common_prefixes(bucket_name, prefix)\n bash_cmd = ''\n for dataset in datasets:\n dataset = _remove_trailing_backslash(dataset)\n try:\n bash_cmd += get_bash_cmd('s3://{}/{}'.format(bucket_name,\n dataset), success_only=success_only, recent_versions=\n recent_versions, exclude_regex=exclude_regex, just_sql=just_sql\n )\n except Exception as e:\n sys.stderr.write('Failed to process {}, {}\\n'.format(dataset,\n str(e)))\n return bash_cmd\n",
"role": "user"
},
{
"content": "load_prefix",
"role": "assistant"
}
] |
def x(path, encoding, encoding_errors):
try:
f = open(path, 'rb')
return make_unicode(f.read(), encoding, encoding_errors)
finally:
f.close()
| read_unicode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, encoding, encoding_errors):\n try:\n f = open(path, 'rb')\n return make_unicode(f.read(), encoding, encoding_errors)\n finally:\n f.close()\n",
"role": "user"
},
{
"content": "read_unicode",
"role": "assistant"
}
] |
def x(template_name, directory, extension):
relative_path = join(directory, template_name)
file_with_ext = template_name
if extension:
file_name, file_ext = splitext(file_with_ext)
if not file_ext:
file_with_ext = extsep.join((file_name, extension.replace(
extsep, '')))
relative_path = join(directory, file_with_ext)
return abspath(relative_path)
| get_abs_template_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(template_name, directory, extension):\n relative_path = join(directory, template_name)\n file_with_ext = template_name\n if extension:\n file_name, file_ext = splitext(file_with_ext)\n if not file_ext:\n file_with_ext = extsep.join((file_name, extension.replace(\n extsep, '')))\n relative_path = join(directory, file_with_ext)\n return abspath(relative_path)\n",
"role": "user"
},
{
"content": "get_abs_template_path",
"role": "assistant"
}
] |
def x(path, encoding, encoding_errors):
abs_path = abspath(path)
if exists(abs_path):
return read_unicode(abs_path, encoding, encoding_errors)
raise IOError('File %s does not exist' % abs_path)
| load_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, encoding, encoding_errors):\n abs_path = abspath(path)\n if exists(abs_path):\n return read_unicode(abs_path, encoding, encoding_errors)\n raise IOError('File %s does not exist' % abs_path)\n",
"role": "user"
},
{
"content": "load_file",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.