source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self):
result = self.client.service.getCustomerCertTypes(authData=self.auth)
if result.statusCode == 0:
return jsend.success({'cert_types': result.types})
else:
return self._create_error(result.statusCode)
| get_cert_types | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = self.client.service.getCustomerCertTypes(authData=self.auth)\n if result.statusCode == 0:\n return jsend.success({'cert_types': ... |
def x(self, cert_id, format_type):
result = self.client.service.collect(authData=self.auth, id=cert_id,
formatType=ComodoCA.format_type[format_type])
if result.statusCode == 2:
return jsend.success({'certificate': result.SSL.certificate,
'certificate_status': 'issued', 'certificate_id': cert_id})
elif result.statusCode == 0:
return jsend.fail({'certificate_id': cert_id, 'certificate': '',
'certificate_status': 'pending'})
else:
return self._create_error(result.statusCode)
| collect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cert_id, format_type):\n result = self.client.service.collect(authData=self.auth, id=cert_id,\n formatType=ComodoCA.format_type[format_type])\n... |
def x(self, cert_id, reason=''):
result = self.client.service.revoke(authData=self.auth, id=cert_id,
reason=reason)
if result == 0:
return jsend.success()
else:
return self._create_error(result)
| revoke | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cert_id, reason=''):\n result = self.client.service.revoke(authData=self.auth, id=cert_id,\n reason=reason)\n if result == 0:\n retur... |
def x(self, cert_type_name, csr, revoke_password, term, subject_alt_names=
'', server_type='OTHER'):
cert_types = self.get_cert_types()
if cert_types['status'] == 'error':
return cert_types
for cert_type in cert_types['data']['cert_types']:
if cert_type.name == cert_type_name:
cert_type_def = cert_type
result = self.client.service.enroll(authData=self.auth, orgId=self.
org_id, secretKey=self.secret_key, csr=csr, phrase=revoke_password,
subjAltNames=subject_alt_names, certType=cert_type_def,
numberServers=1, serverType=ComodoCA.formats[server_type], term=
term, comments='')
if result > 0:
return jsend.success({'certificate_id': result})
else:
return self._create_error(result)
| submit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cert_type_name, csr, revoke_password, term, subject_alt_names=\n '', server_type='OTHER'):\n cert_types = self.get_cert_types()\n if cert_types[... |
def x(version, **kwargs):
mvn = os.path.join(Spark.svm_version_path(version), 'build', 'mvn')
Spark.chmod_add_excute(mvn)
p = subprocess.Popen([mvn, '-DskipTests', 'clean', 'package'], cwd=
Spark.svm_version_path(version))
p.wait()
return p.returncode
| build_from_source | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(version, **kwargs):\n mvn = os.path.join(Spark.svm_version_path(version), 'build', 'mvn')\n Spark.chmod_add_excute(mvn)\n p = subprocess.Popen([mvn, '... |
def x(version):
local_filename = 'v{}.zip'.format(Spark.svm_version_path(version))
Spark.download(Spark.spark_versions()['v{}'.format(version)],
local_filename)
| download_source | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(version):\n local_filename = 'v{}.zip'.format(Spark.svm_version_path(version))\n Spark.download(Spark.spark_versions()['v{}'.format(version)],\n l... |
def x(version):
return os.path.join(Spark.HOME_DIR, Spark.SVM_DIR, 'v{}'.format(version))
| svm_version_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(version):\n return os.path.join(Spark.HOME_DIR, Spark.SVM_DIR, 'v{}'.format(version))\n",
"role": "user"
},
{
"content": "svm_version_path",
... |
def x(filename):
with zipfile.ZipFile(filename, 'r') as zip_ref:
zip_ref.extractall(Spark.svm_path())
return True
| unzip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n with zipfile.ZipFile(filename, 'r') as zip_ref:\n zip_ref.extractall(Spark.svm_path())\n return True\n",
"role": "user"
},
{
... |
def x(version):
for filename in os.listdir(Spark.svm_path()):
if fnmatch.fnmatch(filename, 'apache-spark-*'):
return os.rename(os.path.join(Spark.svm_path(), filename),
Spark.svm_version_path(version))
raise SparkInstallationError('Unable to find unzipped Spark folder in {}'
.format(Spark.svm_path()))
| rename_unzipped_folder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(version):\n for filename in os.listdir(Spark.svm_path()):\n if fnmatch.fnmatch(filename, 'apache-spark-*'):\n return os.rename(os.path.joi... |
def x(datatype):
if issubclass(datatype, GPBaseType):
return GPBaseType._get_type_by_name('GPMultiValue:%s' % datatype.
__name__)
else:
return GPBaseType._get_type_by_name('GPMultiValue:%s' % str(datatype))
| fromType | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(datatype):\n if issubclass(datatype, GPBaseType):\n return GPBaseType._get_type_by_name('GPMultiValue:%s' % datatype.\n __name__)\n els... |
def x(self, y_true, y_pred):
return np.sign(np.subtract(y_pred, y_true))
| gradient | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, y_true, y_pred):\n return np.sign(np.subtract(y_pred, y_true))\n",
"role": "user"
},
{
"content": "gradient",
"role": "assistant"
}
... |
def x():
distributions = get_installed_distributions(user_only=ENABLE_USER_SITE)
remaining = {d.project_name.lower() for d in distributions}
requirements = {r.project_name.lower() for d in distributions for r in
d.requires()}
return get_realnames(remaining - requirements)
| get_parents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n distributions = get_installed_distributions(user_only=ENABLE_USER_SITE)\n remaining = {d.project_name.lower() for d in distributions}\n requireme... |
def x(packages):
return sorted({get_distribution(p).project_name for p in packages}, key
=lambda n: n.lower())
| get_realnames | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(packages):\n return sorted({get_distribution(p).project_name for p in packages}, key\n =lambda n: n.lower())\n",
"role": "user"
},
{
"con... |
def x(self, callback_uri=None, ask_for=['name', 'email', 'language',
'username']):
callback_uri = callback_uri or request.url
args = self._openid_args(callback_uri, ax_attrs=ask_for)
return redirect(self._OPENID_ENDPOINT + ('&' if '?' in self.
_OPENID_ENDPOINT else '?') + urllib.urlencode(args))
| authenticate_redirect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback_uri=None, ask_for=['name', 'email', 'language',\n 'username']):\n callback_uri = callback_uri or request.url\n args = self._openid_args... |
def x(self, callback):
args = dict((k, v) for k, v in request.args.items())
args['openid.mode'] = u'check_authentication'
r = requests.post(self._OPENID_ENDPOINT, data=args)
return self._on_authentication_verified(callback, r)
| get_authenticated_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback):\n args = dict((k, v) for k, v in request.args.items())\n args['openid.mode'] = u'check_authentication'\n r = requests.post(self._OPEN... |
def x(self, user):
app = current_app._get_current_object()
if not user:
login_error.send(app, user=None)
abort(403)
session['openid'] = user
login.send(app, user=user)
return redirect(request.args.get('next', None) or request.referrer or '/')
| on_auth | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user):\n app = current_app._get_current_object()\n if not user:\n login_error.send(app, user=None)\n abort(403)\n session['openid'... |
def x(self, fn):
@functools.wraps(fn)
def x(*args, **kwargs):
if not self._check_auth() and request.blueprint != self.blueprint.name:
return redirect(url_for('%s.login' % self.blueprint.name, next=
request.url))
return fn(*args, **kwargs)
return decorated
| required | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fn):\n\n @functools.wraps(fn)\n def x(*args, **kwargs):\n if not self._check_auth() and request.blueprint != self.blueprint.name:\n ... |
def x(journal_file):
counter = count()
for block in read_next_block(journal_file):
block = remove_nullchars(block)
while len(block) > MIN_RECORD_SIZE:
header = RECORD_HEADER.unpack_from(block)
size = header[0]
try:
yield parse_record(header, block[:size])
next(counter)
except RuntimeError:
yield CorruptedUsnRecord(next(counter))
finally:
block = remove_nullchars(block[size:])
journal_file.seek(-len(block), 1)
| parse_journal_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(journal_file):\n counter = count()\n for block in read_next_block(journal_file):\n block = remove_nullchars(block)\n while len(block) > MIN... |
def x(header, record):
major_version = header[1]
try:
return RECORD_PARSER[major_version](header, record)
except (KeyError, struct.error) as error:
raise RuntimeError('Corrupted USN Record') from error
| parse_record | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(header, record):\n major_version = header[1]\n try:\n return RECORD_PARSER[major_version](header, record)\n except (KeyError, struct.error) as ... |
def x(header, record):
length, major_version, minor_version = header
fields = V2_RECORD.unpack_from(record, RECORD_HEADER.size)
return UsnRecord(length, float('{}.{}'.format(major_version,
minor_version)), fields[0] | fields[1] << 16, fields[2], fields[3] |
fields[4] << 16, fields[5], fields[6], (datetime(1601, 1, 1) +
timedelta(microseconds=fields[7] / 10)).isoformat(' '),
unpack_flags(fields[8], REASONS), unpack_flags(fields[9],
SOURCEINFO), fields[10], unpack_flags(fields[11], ATTRIBUTES), str(
struct.unpack_from('{}s'.format(fields[12]).encode(), record,
fields[13])[0], 'utf16'))
| usn_v2_record | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(header, record):\n length, major_version, minor_version = header\n fields = V2_RECORD.unpack_from(record, RECORD_HEADER.size)\n return UsnRecord(lengt... |
def x(header, record):
length, major_version, minor_version = header
fields = V4_RECORD.unpack_from(record, RECORD_HEADER.size)
raise NotImplementedError('Not implemented')
| usn_v4_record | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(header, record):\n length, major_version, minor_version = header\n fields = V4_RECORD.unpack_from(record, RECORD_HEADER.size)\n raise NotImplementedEr... |
def x(value, flags):
try:
return [flags[value]]
except KeyError:
return [flags[k] for k in sorted(flags.keys()) if k & value > 0]
| unpack_flags | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, flags):\n try:\n return [flags[value]]\n except KeyError:\n return [flags[k] for k in sorted(flags.keys()) if k & value > 0]\n",
... |
def x(infile, block_size=io.DEFAULT_BUFFER_SIZE):
chunk = infile.read(block_size)
while chunk:
yield chunk
chunk = infile.read(block_size)
| read_next_block | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(infile, block_size=io.DEFAULT_BUFFER_SIZE):\n chunk = infile.read(block_size)\n while chunk:\n yield chunk\n chunk = infile.read(block_size... |
def x(block):
data = block.lstrip(b'\x00')
padding = b'\x00' * ((len(block) - len(data)) % 8)
return padding + data
| remove_nullchars | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(block):\n data = block.lstrip(b'\\x00')\n padding = b'\\x00' * ((len(block) - len(data)) % 8)\n return padding + data\n",
"role": "user"
},
{
... |
def x(time_val):
if isinstance(time_val, sequence):
return map(timetopythonvalue, time_val)
elif isinstance(time_val, numeric):
return datetime.datetime(*time.gmtime(time_val)[:6])
elif isinstance(time_val, numeric):
values = []
try:
values = map(long, time_val.split(','))
except:
pass
if values:
return map(timetopythonvalue, values)
raise ValueError(repr(time_val))
| timetopythonvalue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(time_val):\n if isinstance(time_val, sequence):\n return map(timetopythonvalue, time_val)\n elif isinstance(time_val, numeric):\n return da... |
def x(time_val):
if time_val is None:
return None
elif isinstance(time_val, numeric):
return str(long(time_val * 1000.0))
elif isinstance(time_val, date):
dtlist = [time_val.year, time_val.month, time_val.day]
if isinstance(time_val, datetime.datetime):
dtlist += [time_val.hour, time_val.minute, time_val.second]
else:
dtlist += [0, 0, 0]
return long(calendar.timegm(dtlist) * 1000.0)
elif isinstance(time_val, sequence) and len(time_val) == 2:
if all(isinstance(x, numeric) for x in time_val):
return ','.join(pythonvaluetotime(x) for x in time_val)
elif all(isinstance(x, date) for x in time_val):
return ','.join(pythonvaluetotime(x) for x in time_val)
raise ValueError(repr(time_val))
| pythonvaluetotime | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(time_val):\n if time_val is None:\n return None\n elif isinstance(time_val, numeric):\n return str(long(time_val * 1000.0))\n elif isins... |
def x(max_num_classes=20, min_class_size=20, max_class_size=50, max_dim=100,
stratified=True):
smallest = min(min_class_size, max_class_size)
max_class_size = max(min_class_size, max_class_size)
largest = max(50, max_class_size)
largest = max(smallest + 3, largest)
if max_num_classes != 2:
num_classes = np.random.randint(2, max_num_classes, 1)
else:
num_classes = 2
if type(num_classes) == np.ndarray:
num_classes = num_classes[0]
if not stratified:
class_sizes = np.random.random_integers(smallest, largest, num_classes)
else:
class_sizes = np.repeat(np.random.randint(smallest, largest),
num_classes)
num_features = np.random.randint(min(3, max_dim), max(3, max_dim), 1)[0]
class_ids = list()
labels = list()
for cl in range(num_classes):
class_ids.append('class-{}'.format(cl))
labels.append(int(cl))
ds = MLDataset()
for cc, class_ in enumerate(class_ids):
subids = ['s{}-c{}'.format(ix, cc) for ix in range(class_sizes[cc])]
for sid in subids:
ds.add_sample(sid, feat_generator(num_features), int(cc), class_)
return ds
| make_random_MLdataset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(max_num_classes=20, min_class_size=20, max_class_size=50, max_dim=100,\n stratified=True):\n smallest = min(min_class_size, max_class_size)\n max_clas... |
def x(instance, propertyName, useGetter=False):
assert isinstance(propertyName, str)
if propertyName.startswith('get') or propertyName.startswith('set'):
getterName = 'get' + propertyName[3:]
setterName = 'set' + propertyName[3:]
if len(propertyName[3:]) > 1:
signalName = propertyName[3].lower() + propertyName[4:] + 'Changed'
else:
signalName = propertyName.lower() + 'Changed'
assert hasattr(instance, getterName)
assert hasattr(instance, setterName)
assert hasattr(instance, signalName)
getter = getattr(instance, getterName)
setter = getattr(instance, setterName)
signal = getattr(instance, signalName)
elif hasattr(instance, propertyName) and callable(getattr(instance,
propertyName)):
getterName = propertyName
setterName = 'set' + propertyName.capitalize()
signalName = propertyName + 'Changed'
assert hasattr(instance, setterName)
assert hasattr(instance, signalName)
getter = getattr(instance, getterName)
setter = getattr(instance, setterName)
signal = getattr(instance, signalName)
elif hasattr(instance, propertyName):
signalName = propertyName + 'Changed'
assert hasattr(instance, signalName)
getter = lambda : getattr(instance, propertyName)
setter = lambda value: setattr(instance, propertyName, value)
signal = getattr(instance, signalName)
else:
if len(propertyName) > 1:
getterName = 'get' + propertyName[0].upper() + propertyName[1:]
setterName = 'set' + propertyName[0].upper() + propertyName[1:]
signalName = propertyName + 'Changed'
else:
getterName = 'get' + propertyName.upper()
setterName = 'set' + propertyName.upper()
signalName = propertyName.lower() + 'Changed'
assert hasattr(instance, getterName)
assert hasattr(instance, setterName)
assert hasattr(instance, signalName)
getter = getattr(instance, getterName)
setter = getattr(instance, setterName)
signal = getattr(instance, signalName)
return BindingEndpoint(instance, setter, signal, getter=getter if
useGetter else None)
| forProperty | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(instance, propertyName, useGetter=False):\n assert isinstance(propertyName, str)\n if propertyName.startswith('get') or propertyName.startswith('set'):\n... |
def x(self, instance, setter, valueChangedSignal, getter=None):
endpoint = BindingEndpoint(instance, setter, valueChangedSignal, getter
=getter)
self.bindToEndPoint(endpoint)
| bind | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, setter, valueChangedSignal, getter=None):\n endpoint = BindingEndpoint(instance, setter, valueChangedSignal, getter\n =getter)\n s... |
def x(self, bindingEndpoint):
self.bindings[bindingEndpoint.instanceId] = bindingEndpoint
bindingEndpoint.valueChangedSignal.connect(self._updateEndpoints)
| bindToEndPoint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bindingEndpoint):\n self.bindings[bindingEndpoint.instanceId] = bindingEndpoint\n bindingEndpoint.valueChangedSignal.connect(self._updateEndpoints)... |
def x(self, instance, propertyName, useGetter=False):
endpoint = BindingEndpoint.forProperty(instance, propertyName,
useGetter=useGetter)
self.bindToEndPoint(endpoint)
| bindToProperty | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, propertyName, useGetter=False):\n endpoint = BindingEndpoint.forProperty(instance, propertyName,\n useGetter=useGetter)\n self.bin... |
def x(self, *args, **kwargs):
sender = self.sender()
if not self.ignoreEvents:
self.ignoreEvents = True
for binding in self.bindings.values():
if binding.instanceId == id(sender):
continue
if args:
binding.setter(*args, **kwargs)
else:
binding.setter(self.bindings[id(sender)].getter())
self.ignoreEvents = False
| updateEndpoints | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n sender = self.sender()\n if not self.ignoreEvents:\n self.ignoreEvents = True\n for binding in self.bindings.valu... |
def x(cls, table_data, pii_fields):
for pii_field in pii_fields:
field_name = pii_field['name']
transformer = cls.get_class(TRANSFORMERS['categorical'])(pii_field)
table_data[field_name] = transformer.anonymize_column(table_data)
return table_data
| anonymize_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, table_data, pii_fields):\n for pii_field in pii_fields:\n field_name = pii_field['name']\n transformer = cls.get_class(TRANSFORMERS['cate... |
def x(self, base_dir):
table_dict = {}
for table in self.metadata['tables']:
if table['use']:
relative_path = os.path.join(base_dir, self.metadata['path'],
table['path'])
data_table = pd.read_csv(relative_path)
pii_fields = self._get_pii_fields(table)
data_table = self._anonymize_table(data_table, pii_fields)
table_dict[table['name']] = data_table, table
return table_dict
| get_tables | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, base_dir):\n table_dict = {}\n for table in self.metadata['tables']:\n if table['use']:\n relative_path = os.path.join(base_dir, ... |
def x(self):
transformer_dict = {}
for table in self.metadata['tables']:
table_name = table['name']
for field in table['fields']:
transformer_type = field.get('type')
if transformer_type:
col_name = field['name']
transformer_dict[table_name, col_name] = transformer_type
return transformer_dict
| get_transformers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n transformer_dict = {}\n for table in self.metadata['tables']:\n table_name = table['name']\n for field in table['fields']:\n ... |
def x(self, table, metadata, transformer_name, table_name):
column_name = metadata['name']
content = {}
columns = []
if self.missing and table[column_name].isnull().any():
null_transformer = transformers.NullTransformer(metadata)
clean_column = null_transformer.fit_transform(table[column_name])
null_name = '?' + column_name
columns.append(null_name)
content[null_name] = clean_column[null_name].values
table[column_name] = clean_column[column_name]
transformer_class = self.get_class(transformer_name)
transformer = transformer_class(metadata)
self.transformers[table_name, column_name] = transformer
content[column_name] = transformer.fit_transform(table)[column_name].values
columns = [column_name] + columns
return pd.DataFrame(content, columns=columns)
| fit_transform_column | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, metadata, transformer_name, table_name):\n column_name = metadata['name']\n content = {}\n columns = []\n if self.missing and table[co... |
def x(self, table, metadata, table_name):
column_name = metadata['name']
if column_name not in table:
return
null_name = '?' + column_name
content = pd.DataFrame(columns=[column_name], index=table.index)
transformer = self.transformers[table_name, column_name]
content[column_name] = transformer.reverse_transform(table[column_name]
.to_frame())
if self.missing and null_name in table[column_name]:
content[null_name] = table.pop(null_name)
null_transformer = transformers.NullTransformer(metadata)
content[column_name] = null_transformer.reverse_transform(content)
return content
| reverse_transform_column | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, metadata, table_name):\n column_name = metadata['name']\n if column_name not in table:\n return\n null_name = '?' + column_name\n ... |
def x(self, table, table_meta, transformer_dict=None, transformer_list=None,
missing=None):
if missing is None:
missing = self.missing
else:
self.missing = missing
warnings.warn(DEPRECATION_MESSAGE.format('fit_transform_table'),
DeprecationWarning)
result = pd.DataFrame()
table_name = table_meta['name']
for field in table_meta['fields']:
col_name = field['name']
if transformer_list:
for transformer_name in transformer_list:
if field['type'] == self.get_class(transformer_name).type:
transformed = self._fit_transform_column(table, field,
transformer_name, table_name)
result = pd.concat([result, transformed], axis=1)
elif (table_name, col_name) in transformer_dict:
transformer_name = TRANSFORMERS[transformer_dict[table_name,
col_name]]
transformed = self._fit_transform_column(table, field,
transformer_name, table_name)
result = pd.concat([result, transformed], axis=1)
return result
| fit_transform_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, table_meta, transformer_dict=None, transformer_list=None,\n missing=None):\n if missing is None:\n missing = self.missing\n else:\... |
def x(self, table, table_meta, missing=None):
if missing is None:
missing = self.missing
else:
self.missing = missing
warnings.warn(DEPRECATION_MESSAGE.format('transform_table'),
DeprecationWarning)
content = {}
columns = []
table_name = table_meta['name']
for field in table_meta['fields']:
column_name = field['name']
if missing and table[column_name].isnull().any():
null_transformer = transformers.NullTransformer(field)
clean_column = null_transformer.fit_transform(table[column_name])
null_name = '?' + column_name
columns.append(null_name)
content[null_name] = clean_column[null_name].values
column = clean_column[column_name]
else:
column = table[column_name].to_frame()
transformer = self.transformers[table_name, column_name]
content[column_name] = transformer.transform(column)[column_name
].values
columns.append(column_name)
return pd.DataFrame(content, columns=columns)
| transform_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, table_meta, missing=None):\n if missing is None:\n missing = self.missing\n else:\n self.missing = missing\n warnings.w... |
def x(self, table, table_meta, missing=None):
if missing is None:
missing = self.missing
else:
self.missing = missing
warnings.warn(DEPRECATION_MESSAGE.format('reverse_transform_table'),
DeprecationWarning)
result = pd.DataFrame(index=table.index)
table_name = table_meta['name']
for field in table_meta['fields']:
new_column = self._reverse_transform_column(table, field, table_name)
if new_column is not None:
result[field['name']] = new_column
return result
| reverse_transform_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, table_meta, missing=None):\n if missing is None:\n missing = self.missing\n else:\n self.missing = missing\n warnings.w... |
def x(self, tables=None, transformer_dict=None, transformer_list=None,
missing=None):
if missing is None:
missing = self.missing
else:
self.missing = missing
warnings.warn(DEPRECATION_MESSAGE.format('fit_transform'),
DeprecationWarning)
transformed = {}
if tables is None:
tables = self.table_dict
if transformer_dict is None and transformer_list is None:
transformer_dict = self.transformer_dict
for table_name in tables:
table, table_meta = tables[table_name]
transformed_table = self.fit_transform_table(table, table_meta,
transformer_dict, transformer_list)
transformed[table_name] = transformed_table
return transformed
| fit_transform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tables=None, transformer_dict=None, transformer_list=None,\n missing=None):\n if missing is None:\n missing = self.missing\n else:\n ... |
def x(self, tables, table_metas=None, missing=None):
if missing is None:
missing = self.missing
else:
self.missing = missing
warnings.warn(DEPRECATION_MESSAGE.format('transform'),
DeprecationWarning)
transformed = {}
for table_name in tables:
table = tables[table_name]
if table_metas is None:
table_meta = self.table_dict[table_name][1]
else:
table_meta = table_metas[table_name]
transformed[table_name] = self.transform_table(table, table_meta)
return transformed
| transform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tables, table_metas=None, missing=None):\n if missing is None:\n missing = self.missing\n else:\n self.missing = missing\n war... |
def x(self, tables, table_metas=None, missing=None):
if missing is None:
missing = self.missing
else:
self.missing = missing
warnings.warn(DEPRECATION_MESSAGE.format('reverse_transform'),
DeprecationWarning)
reverse = {}
for table_name in tables:
table = tables[table_name]
if table_metas is None:
table_meta = self.table_dict[table_name][1]
else:
table_meta = table_metas[table_name]
reverse[table_name] = self.reverse_transform_table(table, table_meta)
return reverse
| reverse_transform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tables, table_metas=None, missing=None):\n if missing is None:\n missing = self.missing\n else:\n self.missing = missing\n war... |
def x(msg, *args, **kwargs):
file = kwargs.pop('file', None)
nl = kwargs.pop('nl', True)
err = kwargs.pop('err', False)
color = kwargs.pop('color', None)
msg = safe_unicode(msg).format(*args, **kwargs)
click.echo(msg, file=file, nl=nl, err=err, color=color)
| echo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(msg, *args, **kwargs):\n file = kwargs.pop('file', None)\n nl = kwargs.pop('nl', True)\n err = kwargs.pop('err', False)\n color = kwargs.pop('color... |
def x(msg, *args, **kwargs):
msg = ' '.join((yellow(HEADER), white(msg), yellow(HEADER)))
echo(msg, *args, **kwargs)
| header | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(msg, *args, **kwargs):\n msg = ' '.join((yellow(HEADER), white(msg), yellow(HEADER)))\n echo(msg, *args, **kwargs)\n",
"role": "user"
},
{
"c... |
def x(msg, *args, **kwargs):
echo('{0} {1}'.format(green(OK), white(msg)), *args, **kwargs)
| success | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(msg, *args, **kwargs):\n echo('{0} {1}'.format(green(OK), white(msg)), *args, **kwargs)\n",
"role": "user"
},
{
"content": "success",
"role"... |
def x(msg, *args, **kwargs):
msg = '{0} {1}'.format(yellow(WARNING), msg)
echo(msg, *args, **kwargs)
| warning | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(msg, *args, **kwargs):\n msg = '{0} {1}'.format(yellow(WARNING), msg)\n echo(msg, *args, **kwargs)\n",
"role": "user"
},
{
"content": "warnin... |
def x(msg, details=None, *args, **kwargs):
msg = '{0} {1}'.format(red(KO), white(msg))
if details:
msg = '\n'.join((msg, safe_unicode(details)))
echo(format_multiline(msg), *args, **kwargs)
| error | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(msg, details=None, *args, **kwargs):\n msg = '{0} {1}'.format(red(KO), white(msg))\n if details:\n msg = '\\n'.join((msg, safe_unicode(details)))\... |
def x(msg='Aborted', details=None, code=-1, *args, **kwargs):
error(msg, *args, details=details, **kwargs)
sys.exit(code)
| exit_with_error | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(msg='Aborted', details=None, code=-1, *args, **kwargs):\n error(msg, *args, details=details, **kwargs)\n sys.exit(code)\n",
"role": "user"
},
{
... |
def x(patterns, full_reindex):
header('Loading CSV files')
for pattern in patterns:
for filename in iglob(pattern):
echo('Loading {}'.format(white(filename)))
with open(filename) as f:
reader = csv.reader(f)
reader.next()
for idx, row in enumerate(reader, 1):
try:
advice = csv.from_row(row)
skipped = False
if not full_reindex:
index(advice)
echo('.' if idx % 50 else white(idx), nl=False)
except Exception:
echo(cyan('s') if idx % 50 else white('{0}(s)'.
format(idx)), nl=False)
skipped = True
if skipped:
echo(white('{}(s)'.format(idx)) if idx % 50 else '')
else:
echo(white(idx) if idx % 50 else '')
success('Processed {0} rows'.format(idx))
if full_reindex:
reindex()
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(patterns, full_reindex):\n header('Loading CSV files')\n for pattern in patterns:\n for filename in iglob(pattern):\n echo('Loading {}'... |
def x():
header('Reindexing all advices')
echo('Deleting index {0}', white(es.index_name))
if es.indices.exists(es.index_name):
es.indices.delete(index=es.index_name)
es.initialize()
idx = 0
for idx, advice in enumerate(Advice.objects, 1):
index(advice)
echo('.' if idx % 50 else white(idx), nl=False)
echo(white(idx) if idx % 50 else '')
es.indices.refresh(index=es.index_name)
success('Indexed {0} advices', idx)
| reindex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n header('Reindexing all advices')\n echo('Deleting index {0}', white(es.index_name))\n if es.indices.exists(es.index_name):\n es.indices.de... |
def x(path, no_input):
log = logging.getLogger('webassets')
log.addHandler(logging.StreamHandler())
log.setLevel(logging.DEBUG)
cmdenv = CommandLineEnvironment(assets, log)
cmdenv.build()
if exists(path):
warning('{0} directory already exists and will be {1}', white(path),
white('erased'))
if not no_input and not click.confirm('Are you sure'):
exit_with_error()
shutil.rmtree(path)
echo('Copying assets into {0}', white(path))
shutil.copytree(assets.directory, path)
success('Done')
| static | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, no_input):\n log = logging.getLogger('webassets')\n log.addHandler(logging.StreamHandler())\n log.setLevel(logging.DEBUG)\n cmdenv = CommandL... |
def x():
header(anon.__doc__)
filename = 'urls_to_check.csv'
candidates = Advice.objects(__raw__={'$or': [{'subject': {'$regex':
'(Monsieur|Madame|Docteur|Mademoiselle)\\s+[^X\\s\\.]{3}',
'$options': 'imx'}}, {'content': {'$regex':
'(Monsieur|Madame|Docteur|Mademoiselle)\\s+[^X\\s\\.]{3}',
'$options': 'imx'}}]})
with open(filename, 'wb') as csvfile:
writer = csv.writer(csvfile)
writer.writerow(csv.ANON_HEADER)
for idx, advice in enumerate(candidates, 1):
writer.writerow(csv.to_anon_row(advice))
echo('.' if idx % 50 else white(idx), nl=False)
echo(white(idx) if idx % 50 else '')
success('Total: {0} candidates', len(candidates))
| anon | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n header(anon.__doc__)\n filename = 'urls_to_check.csv'\n candidates = Advice.objects(__raw__={'$or': [{'subject': {'$regex':\n '(Monsieur|M... |
def x(csvfile):
header('Apply fixes from {}', csvfile.name)
bads = []
reader = csv.reader(csvfile)
reader.next()
for id, _, sources, dests in reader:
advice = Advice.objects.get(id=id)
sources = [s.strip() for s in sources.split(',') if s.strip()]
dests = [d.strip() for d in dests.split(',') if d.strip()]
if not len(sources) == len(dests):
bads.append(id)
continue
for source, dest in zip(sources, dests):
echo('{0}: Replace {1} with {2}', white(id), white(source),
white(dest))
advice.subject = advice.subject.replace(source, dest)
advice.content = advice.content.replace(source, dest)
advice.save()
index(advice)
for id in bads:
echo('{0}: Replacements length not matching', white(id))
success('Done')
| fix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(csvfile):\n header('Apply fixes from {}', csvfile.name)\n bads = []\n reader = csv.reader(csvfile)\n reader.next()\n for id, _, sources, dests i... |
def x(namespace, name, user_ids):
ids = ','.join(map(str, user_ids))
return '{0}:{1}#{2}'.format(namespace, name, ids)
| build_channel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(namespace, name, user_ids):\n ids = ','.join(map(str, user_ids))\n return '{0}:{1}#{2}'.format(namespace, name, ids)\n",
"role": "user"
},
{
... |
def x(self, **kwargs):
if 'signed_username' in kwargs:
apiToken = kwargs['signed_username']
if kwargs.get('authenticate', False):
self._checkReturn(requests.get('{}/users?signed_username={}'.
format(self.url, apiToken)))
self.signedUsername = apiToken
else:
auth = kwargs['user_id'], kwargs['token']
self.signedUsername = self._checkReturn(requests.get(
'{}/users/login'.format(self.url), auth=auth))['signed_username']
| login | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n if 'signed_username' in kwargs:\n apiToken = kwargs['signed_username']\n if kwargs.get('authenticate', False):\n ... |
def x(filename=None, url=
'https://raw.githubusercontent.com/googlei18n/emoji4unicode/master/data/emoji4unicode.xml'
, loader_class=None):
if not has_loaded():
reload(filename, url, loader_class)
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename=None, url=\n 'https://raw.githubusercontent.com/googlei18n/emoji4unicode/master/data/emoji4unicode.xml'\n , loader_class=None):\n if not has_... |
def x(filename=None, url=
'https://raw.githubusercontent.com/googlei18n/emoji4unicode/master/data/emoji4unicode.xml'
, loader_class=None):
if loader_class is None:
loader_class = loader.Loader
global _loader
_loader = loader_class()
_loader.load(filename, url)
| reload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename=None, url=\n 'https://raw.githubusercontent.com/googlei18n/emoji4unicode/master/data/emoji4unicode.xml'\n , loader_class=None):\n if loader_c... |
def x(source_char, carrier, reverse=False, encoding=False):
if not isinstance(source_char, unicode) and encoding:
source_char = source_char.decode(encoding, 'replace')
elif not isinstance(source_char, unicode):
raise AttributeError(
u'`source_char` must be decoded to `unicode` or set `encoding` attribute to decode `source_char`'
)
if len(source_char) > 1:
raise AttributeError(
u'`source_char` must be a letter. use `translate` method insted.')
translate_dictionary = _loader.translate_dictionaries[carrier]
if not reverse:
translate_dictionary = translate_dictionary[0]
else:
translate_dictionary = translate_dictionary[1]
if not translate_dictionary:
return source_char
return translate_dictionary.get(source_char, source_char)
| translate_char | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source_char, carrier, reverse=False, encoding=False):\n if not isinstance(source_char, unicode) and encoding:\n source_char = source_char.decode(enco... |
def x(source, carrier, reverse=False, encoding=None):
if not isinstance(source, unicode) and encoding:
source = source.decode(encoding, 'replace')
elif not isinstance(source, unicode):
raise AttributeError(
u'`source` must be decoded to `unicode` or set `encoding` attribute to decode `source`'
)
regex_pattern = _loader.regex_patterns[carrier]
translate_dictionary = _loader.translate_dictionaries[carrier]
if not reverse:
regex_pattern = regex_pattern[0]
translate_dictionary = translate_dictionary[0]
else:
regex_pattern = regex_pattern[1]
translate_dictionary = translate_dictionary[1]
if not regex_pattern or not translate_dictionary:
return source
return regex_pattern.sub(lambda m: translate_dictionary[m.group()], source)
| translate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source, carrier, reverse=False, encoding=None):\n if not isinstance(source, unicode) and encoding:\n source = source.decode(encoding, 'replace')\n ... |
def x(*args):
def x():
for s in zip(*args):
if len(set(s)) < len(args):
yield s[0]
else:
return
out = ''.join(_iter()).strip()
result = [s for s in args if not s.startswith(out)]
result.insert(0, out)
return ', '.join(result)
| common_start | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args):\n\n def x():\n for s in zip(*args):\n if len(set(s)) < len(args):\n yield s[0]\n else:\n ... |
def x(json_bytes):
assert isinstance(json_bytes, bytes
), '`determine_json_encoding()` can only operate on bytestring inputs'
if len(json_bytes) > 4:
b1, b2, b3, b4 = json_bytes[0], json_bytes[1], json_bytes[2
], json_bytes[3]
if b1 == 0 and b2 == 0 and b3 == 0 and b4 != 0:
return 'UTF-32BE'
elif b1 == 0 and b2 != 0 and b3 == 0 and b4 != 0:
return 'UTF-16BE'
elif b1 != 0 and b2 == 0 and b3 == 0 and b4 == 0:
return 'UTF-32LE'
elif b1 != 0 and b2 == 0 and b3 != 0 and b4 == 0:
return 'UTF-16LE'
elif b1 != 0 and b2 != 0 and b3 != 0 and b4 != 0:
return 'UTF-8'
else:
raise Exceptions.ContentTypeError('Unknown encoding!')
elif len(json_bytes) > 2:
b1, b2 = json_bytes[0], json_bytes[1]
if b1 == 0 and b2 == 0:
return 'UTF-32BE'
elif b1 == 0 and b2 != 0:
return 'UTF-16BE'
elif b1 != 0 and b2 == 0:
raise Exceptions.ContentTypeError(
'Json string too short to definitively infer encoding.')
elif b1 != 0 and b2 != 0:
return 'UTF-8'
else:
raise Exceptions.ContentTypeError('Unknown encoding!')
raise Exceptions.ContentTypeError(
'Input string too short to guess encoding!')
| determine_json_encoding | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(json_bytes):\n assert isinstance(json_bytes, bytes\n ), '`determine_json_encoding()` can only operate on bytestring inputs'\n if len(json_bytes) >... |
def x(length=12, punctuation=False, digits=True, letters=True, case='both',
**kwargs):
p_min = punctuation
p_max = 0 if punctuation is False else length
d_min = digits
d_max = 0 if digits is False else length
a_min = letters
a_max = 0 if letters is False else length
if d_min + p_min + a_min > length:
raise ValueError(
'Minimum punctuation and digits number cannot be greater than length'
)
if not digits and not letters:
raise ValueError('digits and letters cannot be False at the same time')
if length < 1:
raise ValueError('length must be greater than zero')
if letters:
if case == 'both':
alpha = string.ascii_uppercase + string.ascii_lowercase
elif case == 'upper':
alpha = string.ascii_uppercase
elif case == 'lower':
alpha = string.ascii_lowercase
else:
raise ValueError("case can only be 'both', 'upper' or 'lower'")
else:
alpha = string.ascii_uppercase + string.ascii_lowercase
if punctuation:
limit_punctuation = kwargs.get('limit_punctuation', '')
if limit_punctuation == '':
punctuation_set = string.punctuation
else:
punctuation_set = ''.join([p for p in limit_punctuation if p in
string.punctuation])
else:
punctuation_set = string.punctuation
srandom = random.SystemRandom()
p_generator = Generator(punctuation_set, srandom, p_min, p_max)
d_generator = Generator(string.digits, srandom, d_min, d_max)
a_generator = Generator(alpha, srandom, a_min, a_max)
main_generator = SuperGenerator(srandom, length, length)
main_generator.add(p_generator)
main_generator.add(a_generator)
main_generator.add(d_generator)
chars = []
for i in main_generator:
chars.append(i)
try:
srandom.shuffle(chars, srandom)
except:
random.shuffle(chars)
return ''.join(chars)
| passgen | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(length=12, punctuation=False, digits=True, letters=True, case='both',\n **kwargs):\n p_min = punctuation\n p_max = 0 if punctuation is False else leng... |
def x():
parser = argparse.ArgumentParser(description='Generate random password.')
parser.add_argument('-l', '--length', help=
'the length of the generated password (default: 12)', type=int,
default=12)
parser.add_argument('-n', '--number', help=
'how many passwords to generate (default: 10)', type=int, default=10)
parser.add_argument('-p', '--punctuation', help=
'use punctuation characters', action='store_true')
parser.add_argument('--limit-punctuation', help=
'specify allowed punctuation characters', action='store', default='')
alnum_group = parser.add_mutually_exclusive_group()
alnum_group.add_argument('--no-digits', help="don't use digits", action
='store_false', dest='digits')
alnum_group.add_argument('--no-letters', help="don't use letters",
action='store_false', dest='letters')
case_group = parser.add_mutually_exclusive_group()
case_group.add_argument('--upper', help='use only upper case letters',
action='store_true')
case_group.add_argument('--lower', help='use only lower case letters',
action='store_true')
args = parser.parse_args()
if args.length < 1:
_error('argument -l/--length must be greater than zero')
if args.number < 1:
_error('argument -n/--number must be greater than zero')
if args.lower:
case = 'lower'
elif args.upper:
case = 'upper'
else:
case = 'both'
for _ in range(args.number):
print(passgen(args.length, punctuation=args.punctuation,
limit_punctuation=args.limit_punctuation, digits=args.digits,
letters=args.letters, case=case))
| main | [
{
"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='Generate random password.')\n parser.add_argument('-l', '--length', help=\n 'the length of the ... |
def x(self, language, *args, **kwargs):
for f in find_pos(language):
PoToXls(src=f, **kwargs).convert()
| convert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, language, *args, **kwargs):\n for f in find_pos(language):\n PoToXls(src=f, **kwargs).convert()\n",
"role": "user"
},
{
"content": ... |
def x(cls):
cmd = cls()
cmd._parse_args()
cmd._setup_logging()
response = cmd._run()
output = cmd._handle_response(response)
if output is not None:
print(output)
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n cmd = cls()\n cmd._parse_args()\n cmd._setup_logging()\n response = cmd._run()\n output = cmd._handle_response(response)\n if output ... |
def x(self, request, org):
if org:
lang = org.language or settings.DEFAULT_LANGUAGE
translation.activate(lang)
| set_language | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, org):\n if org:\n lang = org.language or settings.DEFAULT_LANGUAGE\n translation.activate(lang)\n",
"role": "user"
},
{... |
def x(self, request, org):
if org and org.timezone:
timezone.activate(org.timezone)
| set_timezone | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, org):\n if org and org.timezone:\n timezone.activate(org.timezone)\n",
"role": "user"
},
{
"content": "set_timezone",
... |
def x(self, col):
out = pd.DataFrame(index=col.index)
out[self.col_name] = col.fillna(self.default_value)
out[self.new_name] = (pd.notnull(col) * 1).astype(int)
return out
| transform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, col):\n out = pd.DataFrame(index=col.index)\n out[self.col_name] = col.fillna(self.default_value)\n out[self.new_name] = (pd.notnull(col) * 1).a... |
def x(self, col):
output = pd.DataFrame()
new_name = '?' + self.col_name
col.loc[col[new_name] == 0, self.col_name] = np.nan
output[self.col_name] = col[self.col_name]
return output
| reverse_transform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, col):\n output = pd.DataFrame()\n new_name = '?' + self.col_name\n col.loc[col[new_name] == 0, self.col_name] = np.nan\n output[self.col_name... |
def x(ip):
networks = ['0.0.0.0/8', '10.0.0.0/8', '100.64.0.0/10', '127.0.0.0/8',
'169.254.0.0/16', '172.16.0.0/12', '192.0.0.0/24', '192.0.2.0/24',
'192.88.99.0/24', '192.168.0.0/16', '198.18.0.0/15',
'198.51.100.0/24', '203.0.113.0/24', '240.0.0.0/4',
'255.255.255.255/32', '224.0.0.0/4']
for network in networks:
try:
ipaddr = struct.unpack('>I', socket.inet_aton(ip))[0]
netaddr, bits = network.split('/')
network_low = struct.unpack('>I', socket.inet_aton(netaddr))[0]
network_high = network_low | 1 << 32 - int(bits) - 1
if ipaddr <= network_high and ipaddr >= network_low:
return True
except Exception:
continue
return False
| is_private_ip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ip):\n networks = ['0.0.0.0/8', '10.0.0.0/8', '100.64.0.0/10', '127.0.0.0/8',\n '169.254.0.0/16', '172.16.0.0/12', '192.0.0.0/24', '192.0.2.0/24',\n ... |
def x(self, obj):
obj.controller = self.controller
track = self.tracks.get(obj.name)
if track:
if track == obj:
return
obj.keys = track.keys
obj.controller = track.controller
self.tracks[track.name] = obj
self.track_index[self.track_index.index(track)] = obj
else:
obj.controller = self.controller
self.tracks[obj.name] = obj
self.track_index.append(obj)
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n obj.controller = self.controller\n track = self.tracks.get(obj.name)\n if track:\n if track == obj:\n return\n ... |
def x(self, row):
irow = int(row)
i = self._get_key_index(irow)
if i == -1:
return 0.0
if i == len(self.keys) - 1:
return self.keys[-1].value
return TrackKey.interpolate(self.keys[i], self.keys[i + 1], row)
| row_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, row):\n irow = int(row)\n i = self._get_key_index(irow)\n if i == -1:\n return 0.0\n if i == len(self.keys) - 1:\n return self.... |
def x(self, row, value, kind):
i = bisect.bisect_left(self.keys, row)
if i < len(self.keys) and self.keys[i].row == row:
self.keys[i].update(value, kind)
else:
self.keys.insert(i, TrackKey(row, value, kind))
| add_or_update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, row, value, kind):\n i = bisect.bisect_left(self.keys, row)\n if i < len(self.keys) and self.keys[i].row == row:\n self.keys[i].update(value... |
def x(self, row):
i = self._get_key_index(row)
del self.keys[i]
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, row):\n i = self._get_key_index(row)\n del self.keys[i]\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, row):
if len(self.keys) == 0:
return -1
if row < self.keys[0].row:
return -1
index = bisect.bisect_left(self.keys, row)
if index < len(self.keys):
if row < self.keys[index].row:
return index - 1
return index
return len(self.keys) - 1
| get_key_index | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, row):\n if len(self.keys) == 0:\n return -1\n if row < self.keys[0].row:\n return -1\n index = bisect.bisect_left(self.keys, row)\... |
def x(self, filepath):
with open(filepath, 'rb') as fd:
num_keys = struct.unpack('>i', fd.read(4))[0]
for i in range(num_keys):
row, value, kind = struct.unpack('>ifb', fd.read(9))
self.keys.append(TrackKey(row, value, kind))
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filepath):\n with open(filepath, 'rb') as fd:\n num_keys = struct.unpack('>i', fd.read(4))[0]\n for i in range(num_keys):\n r... |
def x(self, path):
name = Track.filename(self.name)
with open(os.path.join(path, name), 'wb') as fd:
fd.write(struct.pack('>I', len(self.keys)))
for k in self.keys:
fd.write(struct.pack('>ifb', k.row, k.value, k.kind))
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n name = Track.filename(self.name)\n with open(os.path.join(path, name), 'wb') as fd:\n fd.write(struct.pack('>I', len(self.keys)))\n... |
def x(uri):
assert uri != None, 'iri2uri must be passed a non-none string!'
original = uri
if isinstance(uri, str):
scheme, authority, path, query, fragment = urllib.parse.urlsplit(uri)
authority = authority.encode('idna').decode('utf-8')
uri = urllib.parse.urlunsplit((scheme, authority, path, query,
fragment))
uri = ''.join([encode(c) for c in uri])
if original.endswith('?') and not uri.endswith('?'):
uri = uri + '?'
return uri
| iri2uri | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(uri):\n assert uri != None, 'iri2uri must be passed a non-none string!'\n original = uri\n if isinstance(uri, str):\n scheme, authority, path, ... |
def x(self, sheet, name):
header = sheet.row(0)
for i, column in enumerate(self.headers[name]):
header.write(i, self.headers[name][i])
| header | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sheet, name):\n header = sheet.row(0)\n for i, column in enumerate(self.headers[name]):\n header.write(i, self.headers[name][i])\n",
"ro... |
def x(self):
path, src = os.path.split(self.src)
src, ext = os.path.splitext(src)
return os.path.join(path, '{src}.xls'.format(**{'src': src}))
| output | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n path, src = os.path.split(self.src)\n src, ext = os.path.splitext(src)\n return os.path.join(path, '{src}.xls'.format(**{'src': src}))\n",
... |
def x(self):
sheet = self.result.add_sheet('strings')
self.header(sheet, 'strings')
n_row = 1
for entry in self.po:
row = sheet.row(n_row)
row.write(0, entry.msgid)
row.write(1, entry.msgstr)
n_row += 1
sheet.flush_row_data()
| strings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n sheet = self.result.add_sheet('strings')\n self.header(sheet, 'strings')\n n_row = 1\n for entry in self.po:\n row = sheet.row(n_ro... |
def x(self):
sheet = self.result.add_sheet('metadata')
self.header(sheet, 'metadata')
n_row = 1
for k in self.po.metadata:
row = sheet.row(n_row)
row.write(0, k)
row.write(1, self.po.metadata[k])
n_row += 1
sheet.flush_row_data()
| metadata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n sheet = self.result.add_sheet('metadata')\n self.header(sheet, 'metadata')\n n_row = 1\n for k in self.po.metadata:\n row = sheet.r... |
def x(self, *args, **kwargs):
self.strings()
self.metadata()
self.result.save(self.output())
| convert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n self.strings()\n self.metadata()\n self.result.save(self.output())\n",
"role": "user"
},
{
"content": "convert",... |
def x():
launcher = 'pip%s-utils' % sys.version_info.major
parser = argparse.ArgumentParser(description='%s.' % __description__,
epilog='See `%s COMMAND --help` for help on a specific subcommand.' %
launcher, prog=launcher)
parser.add_argument('--version', action='version', version='%(prog)s ' +
__version__)
subparsers = parser.add_subparsers()
parser_dependants = subparsers.add_parser('dependants', add_help=False,
help='list dependants of package')
parser_dependants.add_argument('package', metavar='PACKAGE', type=
_distribution)
parser_dependants.add_argument('-h', '--help', action='help', help=
argparse.SUPPRESS)
parser_dependants.set_defaults(func=command_dependants)
parser_dependents = subparsers.add_parser('dependents', add_help=False,
help='list dependents of package')
parser_dependents.add_argument('package', metavar='PACKAGE', type=
_distribution)
parser_dependents.add_argument('-i', '--info', action='store_true',
help='show version requirements')
parser_dependents.add_argument('-r', '--recursive', action='store_true',
help='list dependencies recursively')
parser_dependents.add_argument('-h', '--help', action='help', help=
argparse.SUPPRESS)
parser_dependents.set_defaults(func=command_dependents)
parser_locate = subparsers.add_parser('locate', add_help=False, help=
'identify packages that file belongs to')
parser_locate.add_argument('file', metavar='FILE', type=argparse.
FileType('r'))
parser_locate.add_argument('-h', '--help', action='help', help=argparse
.SUPPRESS)
parser_locate.set_defaults(func=command_locate)
parser_outdated = subparsers.add_parser('outdated', add_help=False,
help='list outdated packages that may be updated')
parser_outdated.add_argument('-b', '--brief', action='store_true', help
='show package name only')
group = parser_outdated.add_mutually_exclusive_group()
group.add_argument('-a', '--all', action='store_true', help=
'list all outdated packages')
group.add_argument('-p', '--pinned', action='store_true', help=
'list outdated packages unable to be updated')
group.add_argument('-U', '--upgrade', action='store_true', dest=
'update', help='update packages that can be updated')
parser_outdated.add_argument('-h', '--help', action='help', help=
argparse.SUPPRESS)
parser_outdated.set_defaults(func=command_outdated)
parser_parents = subparsers.add_parser('parents', add_help=False, help=
'list packages lacking dependants')
parser_parents.add_argument('-h', '--help', action='help', help=
argparse.SUPPRESS)
parser_parents.set_defaults(func=command_parents)
return parser
| parser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n launcher = 'pip%s-utils' % sys.version_info.major\n parser = argparse.ArgumentParser(description='%s.' % __description__,\n epilog='See `%s C... |
def x(args=None):
parser = _parser()
if args is None and len(sys.argv) <= 1:
sys.argv.append('--help')
options = parser.parse_args(args)
options.func(options)
return 0
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args=None):\n parser = _parser()\n if args is None and len(sys.argv) <= 1:\n sys.argv.append('--help')\n options = parser.parse_args(args)\n ... |
def x(org, syncer, remote):
identity = syncer.identify_remote(remote)
with syncer.lock(org, identity):
existing = syncer.fetch_local(org, identity)
remote_as_kwargs = syncer.local_kwargs(org, remote)
if existing:
existing.org = org
if remote_as_kwargs:
if syncer.update_required(existing, remote, remote_as_kwargs
) or not existing.is_active:
for field, value in remote_as_kwargs.items():
setattr(existing, field, value)
existing.is_active = True
existing.save()
return SyncOutcome.updated
elif existing.is_active:
syncer.delete_local(existing)
return SyncOutcome.deleted
elif remote_as_kwargs:
syncer.model.objects.create(**remote_as_kwargs)
return SyncOutcome.created
return SyncOutcome.ignored
| sync_from_remote | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(org, syncer, remote):\n identity = syncer.identify_remote(remote)\n with syncer.lock(org, identity):\n existing = syncer.fetch_local(org, identity... |
def x(org, syncer, remote_set):
outcome_counts = defaultdict(int)
remote_identities = set()
for remote in remote_set:
outcome = sync_from_remote(org, syncer, remote)
outcome_counts[outcome] += 1
remote_identities.add(syncer.identify_remote(remote))
active_locals = syncer.fetch_all(org).filter(is_active=True)
delete_locals = active_locals.exclude(**{(syncer.local_id_attr + '__in'
): remote_identities})
for local in delete_locals:
with syncer.lock(org, syncer.identify_local(local)):
syncer.delete_local(local)
outcome_counts[SyncOutcome.deleted] += 1
return outcome_counts[SyncOutcome.created], outcome_counts[SyncOutcome.
updated], outcome_counts[SyncOutcome.deleted], outcome_counts[
SyncOutcome.ignored]
| sync_local_to_set | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(org, syncer, remote_set):\n outcome_counts = defaultdict(int)\n remote_identities = set()\n for remote in remote_set:\n outcome = sync_from_rem... |
def x(org, syncer, fetches, deleted_fetches, progress_callback=None):
num_synced = 0
outcome_counts = defaultdict(int)
for fetch in fetches:
for remote in fetch:
outcome = sync_from_remote(org, syncer, remote)
outcome_counts[outcome] += 1
num_synced += len(fetch)
if progress_callback:
progress_callback(num_synced)
for deleted_fetch in deleted_fetches:
for deleted_remote in deleted_fetch:
identity = syncer.identify_remote(deleted_remote)
with syncer.lock(org, identity):
existing = syncer.fetch_local(org, identity)
if existing:
syncer.delete_local(existing)
outcome_counts[SyncOutcome.deleted] += 1
num_synced += len(deleted_fetch)
if progress_callback:
progress_callback(num_synced)
return outcome_counts[SyncOutcome.created], outcome_counts[SyncOutcome.
updated], outcome_counts[SyncOutcome.deleted], outcome_counts[
SyncOutcome.ignored]
| sync_local_to_changes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(org, syncer, fetches, deleted_fetches, progress_callback=None):\n num_synced = 0\n outcome_counts = defaultdict(int)\n for fetch in fetches:\n ... |
def x(self, org, identity):
qs = self.fetch_all(org=org).filter(**{self.local_id_attr: identity})
if self.select_related:
qs = qs.select_related(*self.select_related)
if self.prefetch_related:
qs = qs.prefetch_related(*self.prefetch_related)
return qs.first()
| fetch_local | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, org, identity):\n qs = self.fetch_all(org=org).filter(**{self.local_id_attr: identity})\n if self.select_related:\n qs = qs.select_related(*... |
def x(self, org):
qs = self.model.objects.filter(org=org)
if self.local_backend_attr is not None:
qs = qs.filter(**{self.local_backend_attr: self.backend})
return qs
| fetch_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, org):\n qs = self.model.objects.filter(org=org)\n if self.local_backend_attr is not None:\n qs = qs.filter(**{self.local_backend_attr: self.... |
def x(self):
a = float(self.tmpopslist.pop())
var = self.opslist.pop()
if isinstance(var, basestring):
self.variables.update({var: a})
return a
else:
print('Can only sto into a variable.')
return 'ERROR'
| fsto | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n a = float(self.tmpopslist.pop())\n var = self.opslist.pop()\n if isinstance(var, basestring):\n self.variables.update({var: a})\n ... |
def x(self):
popflag = True
self.tmpopslist = []
while True:
while self.opslist and popflag:
op = self.opslist.pop()
if self.is_variable(op):
op = self.variables.get(op)
if self.is_operator(op):
popflag = False
break
self.tmpopslist.append(op)
tmpr = self._get_temp_result(op)
if tmpr == 'ERROR':
return None
if tmpr is not None:
self.opslist.append('{r:.20f}'.format(r=tmpr))
if len(self.tmpopslist) > 0 or len(self.opslist) > 1:
popflag = True
else:
break
return float(self.opslist[0])
| solve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n popflag = True\n self.tmpopslist = []\n while True:\n while self.opslist and popflag:\n op = self.opslist.pop()\n ... |
def x():
sorts = request.args.getlist('sort')
sorts = [sorts] if isinstance(sorts, basestring) else sorts
sorts = [s.split(' ') for s in sorts]
return [{SORTS[s]: d} for s, d in sorts if s in SORTS]
| build_sort | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n sorts = request.args.getlist('sort')\n sorts = [sorts] if isinstance(sorts, basestring) else sorts\n sorts = [s.split(' ') for s in sorts]\n r... |
def x(advice):
topics = []
for topic in advice.topics:
topics.append(topic)
parts = topic.split('/')
if len(parts) > 1:
topics.append(parts[0])
try:
es.index(index=es.index_name, doc_type=DOCTYPE, id=advice.id, body=
{'id': advice.id, 'administration': advice.administration,
'type': advice.type, 'session': advice.session.strftime(
'%Y-%m-%d'), 'subject': advice.subject, 'topics': topics,
'tags': advice.tags, 'meanings': advice.meanings, 'part':
advice.part, 'content': advice.content})
except Exception:
log.exception('Unable to index advice %s', advice.id)
| index | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(advice):\n topics = []\n for topic in advice.topics:\n topics.append(topic)\n parts = topic.split('/')\n if len(parts) > 1:\n ... |
def x(self):
if es.indices.exists(self.index_name):
es.indices.put_mapping(index=self.index_name, doc_type=DOCTYPE,
body=MAPPING)
else:
es.indices.create(self.index_name, {'mappings': {'advice': MAPPING},
'settings': {'analysis': ANALSYS}})
| initialize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if es.indices.exists(self.index_name):\n es.indices.put_mapping(index=self.index_name, doc_type=DOCTYPE,\n body=MAPPING)\n els... |
def x(context, item):
if not item:
return
manager = Manager()
manager.set_master(item)
ct_item = ContentType.objects.get_for_model(item)
item_language_codes = manager.get_languages_from_item(ct_item, item)
model_language_codes = manager.get_languages_from_model(ct_item.
app_label, ct_item.model)
item_languages = [{'lang': lang, 'from_model': lang.code in
model_language_codes} for lang in TransLanguage.objects.filter(
code__in=item_language_codes).order_by('name')]
more_languages = [{'lang': lang, 'from_model': lang.code in
model_language_codes} for lang in TransLanguage.objects.exclude(
main_language=True).order_by('name')]
return render_to_string('languages/translation_language_selector.html',
{'item_languages': item_languages, 'more_languages': more_languages,
'api_url': TM_API_URL, 'app_label': manager.app_label, 'model':
manager.model_label, 'object_pk': item.pk})
| show_list_translations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context, item):\n if not item:\n return\n manager = Manager()\n manager.set_master(item)\n ct_item = ContentType.objects.get_for_model(item)... |
def x(self, data):
raw_string = xtree.tostring(data, 'utf-8')
parsed_string = minidom.parseString(raw_string)
return parsed_string.toprettyxml(indent='\t')
| xml_pretty_print | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n raw_string = xtree.tostring(data, 'utf-8')\n parsed_string = minidom.parseString(raw_string)\n return parsed_string.toprettyxml(indent=... |
def x(self, data, fname=None):
content = self._xml_pretty_print(data)
if not fname:
fname = self.name
with open(fname + '.xml', 'w') as f:
f.write(content)
| create_table_xml_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, fname=None):\n content = self._xml_pretty_print(data)\n if not fname:\n fname = self.name\n with open(fname + '.xml', 'w') as f:\n ... |
def x(self, xml=True, db_table=True):
t_table = xtree.Element('table')
if not self.table_attr:
self.table_attr = self._TAB_ATTR
for attr in self.table_attr.items():
t_table.set(*attr)
t_meta = xtree.SubElement(t_table, 'meta')
for key, value in [(k, v) for k, v in sorted(self.__dict__.items(), key
=lambda x: x[0]) if k not in ('table_attr', 'name')]:
if isinstance(value, list):
for elt in value:
t_tag = xtree.SubElement(t_meta, key)
t_tag.text = elt
else:
t_tag = xtree.SubElement(t_meta, key)
t_tag.text = value
t_bindings = xtree.SubElement(t_table, 'bindings')
self.etree = t_table
return t_table
| init_table_elementTree | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, xml=True, db_table=True):\n t_table = xtree.Element('table')\n if not self.table_attr:\n self.table_attr = self._TAB_ATTR\n for attr in s... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.