source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, indices=None):
indices = indices or range(len(self.outputs))
return [Input(self.outputs[idx].fulfillment, self.outputs[idx].
public_keys, TransactionLink(self.id, idx)) for idx in indices]
| to_inputs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, indices=None):\n indices = indices or range(len(self.outputs))\n return [Input(self.outputs[idx].fulfillment, self.outputs[idx].\n public_ke... |
def x(self, input_):
if not isinstance(input_, Input):
raise TypeError('`input_` must be a Input instance')
self.inputs.append(input_)
| add_input | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, input_):\n if not isinstance(input_, Input):\n raise TypeError('`input_` must be a Input instance')\n self.inputs.append(input_)\n",
"ro... |
def x(self, output):
if not isinstance(output, Output):
raise TypeError('`output` must be an Output instance or None')
self.outputs.append(output)
| add_output | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, output):\n if not isinstance(output, Output):\n raise TypeError('`output` must be an Output instance or None')\n self.outputs.append(output)... |
def x(self, private_keys):
if private_keys is None or not isinstance(private_keys, list):
raise TypeError('`private_keys` must be a list instance')
def x(private_key):
public_key = private_key.get_verifying_key().encode()
return public_key.decode()
key_pairs = {gen_public_key(PrivateKey(private_key)): PrivateKey(
private_key) for private_key in private_keys}
tx_dict = self.to_dict()
tx_dict = Transaction._remove_signatures(tx_dict)
tx_serialized = Transaction._to_str(tx_dict)
for i, input_ in enumerate(self.inputs):
self.inputs[i] = self._sign_input(input_, tx_serialized, key_pairs)
self._hash()
return self
| sign | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, private_keys):\n if private_keys is None or not isinstance(private_keys, list):\n raise TypeError('`private_keys` must be a list instance')\n\n... |
def x(cls, input_, message, key_pairs):
if isinstance(input_.fulfillment, Ed25519Sha256):
return cls._sign_simple_signature_fulfillment(input_, message,
key_pairs)
elif isinstance(input_.fulfillment, ThresholdSha256):
return cls._sign_threshold_signature_fulfillment(input_, message,
key_pairs)
else:
raise ValueError(
"Fulfillment couldn't be matched to Cryptocondition fulfillment type."
)
| sign_input | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, input_, message, key_pairs):\n if isinstance(input_.fulfillment, Ed25519Sha256):\n return cls._sign_simple_signature_fulfillment(input_, message... |
def x(cls, input_, message, key_pairs):
input_ = deepcopy(input_)
public_key = input_.owners_before[0]
message = sha3_256(message.encode())
if input_.fulfills:
message.update('{}{}'.format(input_.fulfills.txid, input_.fulfills.
output).encode())
try:
input_.fulfillment.sign(message.digest(), base58.b58decode(
key_pairs[public_key].encode()))
except KeyError:
raise KeypairMismatchException(
'Public key {} is not a pair to any of the private keys'.format
(public_key))
return input_
| sign_simple_signature_fulfillment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, input_, message, key_pairs):\n input_ = deepcopy(input_)\n public_key = input_.owners_before[0]\n message = sha3_256(message.encode())\n if in... |
def x(cls, input_, message, key_pairs):
input_ = deepcopy(input_)
message = sha3_256(message.encode())
if input_.fulfills:
message.update('{}{}'.format(input_.fulfills.txid, input_.fulfills.
output).encode())
for owner_before in set(input_.owners_before):
ccffill = input_.fulfillment
subffills = ccffill.get_subcondition_from_vk(base58.b58decode(
owner_before))
if not subffills:
raise KeypairMismatchException(
'Public key {} cannot be found in the fulfillment'.format(
owner_before))
try:
private_key = key_pairs[owner_before]
except KeyError:
raise KeypairMismatchException(
'Public key {} is not a pair to any of the private keys'.
format(owner_before))
for subffill in subffills:
subffill.sign(message.digest(), base58.b58decode(private_key.
encode()))
return input_
| sign_threshold_signature_fulfillment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, input_, message, key_pairs):\n input_ = deepcopy(input_)\n message = sha3_256(message.encode())\n if input_.fulfills:\n message.update('{}... |
def x(self, output_condition_uris):
if len(self.inputs) != len(output_condition_uris):
raise ValueError(
'Inputs and output_condition_uris must have the same count')
tx_dict = self.tx_dict if self.tx_dict else self.to_dict()
tx_dict = Transaction._remove_signatures(tx_dict)
tx_dict['id'] = None
tx_serialized = Transaction._to_str(tx_dict)
def x(i, output_condition_uri=None):
return self._input_valid(self.inputs[i], self.operation,
tx_serialized, output_condition_uri)
return all(validate(i, cond) for i, cond in enumerate(
output_condition_uris))
| inputs_valid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, output_condition_uris):\n if len(self.inputs) != len(output_condition_uris):\n raise ValueError(\n 'Inputs and output_condition_uris... |
def x(self):
return {'inputs': [input_.to_dict() for input_ in self.inputs],
'outputs': [output.to_dict() for output in self.outputs],
'operation': str(self.operation), 'metadata': self.metadata,
'asset': self.asset, 'version': self.version, 'id': self._id}
| to_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {'inputs': [input_.to_dict() for input_ in self.inputs],\n 'outputs': [output.to_dict() for output in self.outputs],\n 'operat... |
def x(cls, transactions):
if not isinstance(transactions, list):
transactions = [transactions]
asset_ids = {(tx.id if tx.operation == tx.CREATE else tx.asset['id']) for
tx in transactions}
if len(asset_ids) > 1:
raise AssetIdMismatch(
'All inputs of all transactions passed need to have the same asset id'
)
return asset_ids.pop()
| get_asset_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, transactions):\n if not isinstance(transactions, list):\n transactions = [transactions]\n asset_ids = {(tx.id if tx.operation == tx.CREATE el... |
def x(tx_body):
tx_body = rapidjson.loads(rapidjson.dumps(tx_body))
try:
proposed_tx_id = tx_body['id']
except KeyError:
raise InvalidHash('No transaction id found!')
tx_body['id'] = None
tx_body_serialized = Transaction._to_str(tx_body)
valid_tx_id = Transaction._to_hash(tx_body_serialized)
if proposed_tx_id != valid_tx_id:
err_msg = (
"The transaction's id '{}' isn't equal to the hash of its body, i.e. it's not valid."
)
raise InvalidHash(err_msg.format(proposed_tx_id))
| validate_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tx_body):\n tx_body = rapidjson.loads(rapidjson.dumps(tx_body))\n try:\n proposed_tx_id = tx_body['id']\n except KeyError:\n raise Inval... |
def x(cls, tx, skip_schema_validation=True):
operation = tx.get('operation', Transaction.CREATE) if isinstance(tx, dict
) else Transaction.CREATE
cls = Transaction.resolve_class(operation)
if not skip_schema_validation:
cls.validate_id(tx)
cls.validate_schema(tx)
inputs = [Input.from_dict(input_) for input_ in tx['inputs']]
outputs = [Output.from_dict(output) for output in tx['outputs']]
return cls(tx['operation'], tx['asset'], inputs, outputs, tx['metadata'
], tx['version'], hash_id=tx['id'], tx_dict=tx)
| from_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, tx, skip_schema_validation=True):\n operation = tx.get('operation', Transaction.CREATE) if isinstance(tx, dict\n ) else Transaction.CREATE\n ... |
def x(cls, bigchain, tx_dict_list):
return_list = True
if isinstance(tx_dict_list, dict):
tx_dict_list = [tx_dict_list]
return_list = False
tx_map = {}
tx_ids = []
for tx in tx_dict_list:
tx.update({'metadata': None})
tx_map[tx['id']] = tx
tx_ids.append(tx['id'])
assets = list(bigchain.get_assets(tx_ids))
for asset in assets:
if asset is not None:
tx = tx_map[asset['id']]
del asset['id']
tx['asset'] = asset
tx_ids = list(tx_map.keys())
metadata_list = list(bigchain.get_metadata(tx_ids))
for metadata in metadata_list:
tx = tx_map[metadata['id']]
tx.update({'metadata': metadata.get('metadata')})
if return_list:
tx_list = []
for tx_id, tx in tx_map.items():
tx_list.append(cls.from_dict(tx))
return tx_list
else:
tx = list(tx_map.values())[0]
return cls.from_dict(tx)
| from_db | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, bigchain, tx_dict_list):\n return_list = True\n if isinstance(tx_dict_list, dict):\n tx_dict_list = [tx_dict_list]\n return_list = Fal... |
def x(operation):
create_txn_class = Transaction.type_registry.get(Transaction.CREATE)
return Transaction.type_registry.get(operation, create_txn_class)
| resolve_class | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(operation):\n create_txn_class = Transaction.type_registry.get(Transaction.CREATE)\n return Transaction.type_registry.get(operation, create_txn_class)\n"... |
def x(backend=None, host=None, port=None, name=None, max_tries=None,
connection_timeout=None, replicaset=None, ssl=None, login=None,
password=None, ca_cert=None, certfile=None, keyfile=None,
keyfile_passphrase=None, crlfile=None):
backend = backend or bigchaindb.config['database']['backend']
host = host or bigchaindb.config['database']['host']
port = port or bigchaindb.config['database']['port']
dbname = name or bigchaindb.config['database']['name']
replicaset = replicaset or bigchaindb.config['database'].get('replicaset')
ssl = ssl if ssl is not None else bigchaindb.config['database'].get('ssl',
False)
login = login or bigchaindb.config['database'].get('login')
password = password or bigchaindb.config['database'].get('password')
ca_cert = ca_cert or bigchaindb.config['database'].get('ca_cert', None)
certfile = certfile or bigchaindb.config['database'].get('certfile', None)
keyfile = keyfile or bigchaindb.config['database'].get('keyfile', None)
keyfile_passphrase = keyfile_passphrase or bigchaindb.config['database'
].get('keyfile_passphrase', None)
crlfile = crlfile or bigchaindb.config['database'].get('crlfile', None)
try:
module_name, _, class_name = BACKENDS[backend].rpartition('.')
Class = getattr(import_module(module_name), class_name)
except KeyError:
raise ConfigurationError(
'Backend `{}` is not supported. BigchainDB currently supports {}'
.format(backend, BACKENDS.keys()))
except (ImportError, AttributeError) as exc:
raise ConfigurationError('Error loading backend `{}`'.format(backend)
) from exc
logger.debug('Connection: {}'.format(Class))
return Class(host=host, port=port, dbname=dbname, max_tries=max_tries,
connection_timeout=connection_timeout, replicaset=replicaset, ssl=
ssl, login=login, password=password, ca_cert=ca_cert, certfile=
certfile, keyfile=keyfile, keyfile_passphrase=keyfile_passphrase,
crlfile=crlfile)
| connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(backend=None, host=None, port=None, name=None, max_tries=None,\n connection_timeout=None, replicaset=None, ssl=None, login=None,\n password=None, ca_cert... |
def x(self):
attempt = 0
for i in self.max_tries_counter:
attempt += 1
try:
self._conn = self._connect()
except ConnectionError as exc:
logger.warning(
'Attempt %s/%s. Connection to %s:%s failed after %sms.',
attempt, self.max_tries if self.max_tries != 0 else '∞',
self.host, self.port, self.connection_timeout)
if attempt == self.max_tries:
logger.critical('Cannot connect to the Database. Giving up.')
raise ConnectionError() from exc
else:
break
| connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n attempt = 0\n for i in self.max_tries_counter:\n attempt += 1\n try:\n self._conn = self._connect()\n except Con... |
def x(self):
pool = current_app.config['bigchain_pool']
with pool() as bigchain:
validators = bigchain.get_validators()
return validators
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n pool = current_app.config['bigchain_pool']\n with pool() as bigchain:\n validators = bigchain.get_validators()\n return validators\n",... |
def x(cls, bigchain):
latest_block = bigchain.get_latest_block()
if latest_block is None:
return None
return bigchain.get_validator_change(latest_block['height'])
| get_validator_change | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, bigchain):\n latest_block = bigchain.get_latest_block()\n if latest_block is None:\n return None\n return bigchain.get_validator_change(la... |
def x(cls, bigchain, height=None):
validators = {}
for validator in bigchain.get_validators(height):
public_key = public_key_from_ed25519_key(key_from_base64(validator[
'public_key']['value']))
validators[public_key] = validator['voting_power']
return validators
| get_validators | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, bigchain, height=None):\n validators = {}\n for validator in bigchain.get_validators(height):\n public_key = public_key_from_ed25519_key(key_... |
def x(cls, bigchain):
recipients = []
for public_key, voting_power in cls.get_validators(bigchain).items():
recipients.append(([public_key], voting_power))
return recipients
| recipients | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, bigchain):\n recipients = []\n for public_key, voting_power in cls.get_validators(bigchain).items():\n recipients.append(([public_key], votin... |
def x(self, bigchain, current_transactions=[]):
input_conditions = []
duplicates = any(txn for txn in current_transactions if txn.id == self.id)
if bigchain.is_committed(self.id) or duplicates:
raise DuplicateTransaction('transaction `{}` already exists'.format
(self.id))
if not self.inputs_valid(input_conditions):
raise InvalidSignature('Transaction signature is invalid.')
current_validators = self.get_validators(bigchain)
if len(self.inputs) != 1 or len(self.inputs[0].owners_before) != 1:
raise MultipleInputsError(
'`tx_signers` must be a list instance of length one')
[election_initiator_node_pub_key] = self.inputs[0].owners_before
if election_initiator_node_pub_key not in current_validators.keys():
raise InvalidProposer('Public key is not a part of the validator set')
if not self.is_same_topology(current_validators, self.outputs):
raise UnequalValidatorSet(
'Validator set much be exactly same to the outputs of election')
return self
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bigchain, current_transactions=[]):\n input_conditions = []\n duplicates = any(txn for txn in current_transactions if txn.id == self.id)\n if bi... |
def x(cls, tx):
_validate_schema(TX_SCHEMA_COMMON, tx)
_validate_schema(TX_SCHEMA_CREATE, tx)
if cls.TX_SCHEMA_CUSTOM:
_validate_schema(cls.TX_SCHEMA_CUSTOM, tx)
| validate_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, tx):\n _validate_schema(TX_SCHEMA_COMMON, tx)\n _validate_schema(TX_SCHEMA_CREATE, tx)\n if cls.TX_SCHEMA_CUSTOM:\n _validate_schema(cls.T... |
def x(self, bigchain, current_votes=[]):
if self.has_validator_set_changed(bigchain):
return False
election_pk = self.to_public_key(self.id)
votes_committed = self.get_commited_votes(bigchain, election_pk)
votes_current = self.count_votes(election_pk, current_votes)
total_votes = sum(output.amount for output in self.outputs)
if (votes_committed < 2 / 3 * total_votes and votes_committed +
votes_current >= 2 / 3 * total_votes):
return True
return False
| has_concluded | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bigchain, current_votes=[]):\n if self.has_validator_set_changed(bigchain):\n return False\n election_pk = self.to_public_key(self.id)\n ... |
def x(cls, bigchain, new_height, txns):
initiated_elections = cls._get_initiated_elections(new_height, txns)
if initiated_elections:
bigchain.store_elections(initiated_elections)
elections = cls._get_votes(txns)
validator_update = None
for election_id, votes in elections.items():
election = bigchain.get_transaction(election_id)
if election is None:
continue
if not election.has_concluded(bigchain, votes):
continue
validator_update = election.on_approval(bigchain, new_height)
election.store(bigchain, new_height, is_concluded=True)
return [validator_update] if validator_update else []
| process_block | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, bigchain, new_height, txns):\n initiated_elections = cls._get_initiated_elections(new_height, txns)\n if initiated_elections:\n bigchain.stor... |
def x(cls, bigchain, new_height, txn_ids):
bigchain.delete_elections(new_height)
txns = [bigchain.get_transaction(tx_id) for tx_id in txn_ids]
elections = cls._get_votes(txns)
for election_id in elections:
election = bigchain.get_transaction(election_id)
election.on_rollback(bigchain, new_height)
| rollback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, bigchain, new_height, txn_ids):\n bigchain.delete_elections(new_height)\n txns = [bigchain.get_transaction(tx_id) for tx_id in txn_ids]\n electio... |
def x(cls, tx):
_validate_schema(TX_SCHEMA_COMMON, tx)
_validate_schema(TX_SCHEMA_TRANSFER, tx)
_validate_schema(cls.TX_SCHEMA_CUSTOM, tx)
| validate_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, tx):\n _validate_schema(TX_SCHEMA_COMMON, tx)\n _validate_schema(TX_SCHEMA_TRANSFER, tx)\n _validate_schema(cls.TX_SCHEMA_CUSTOM, tx)\n",
"ro... |
def x(func, mapping):
def x(mapping, path=None):
if path is None:
path = []
for key, val in mapping.items():
if isinstance(val, collections.Mapping):
_inner(val, path + [key])
else:
mapping[key] = func(val, path=path + [key])
return mapping
return _inner(copy.deepcopy(mapping))
| map_leafs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, mapping):\n\n def x(mapping, path=None):\n if path is None:\n path = []\n for key, val in mapping.items():\n if is... |
def x(filename=None):
logger.debug('On entry into file_config(), filename = {}'.format(filename))
if filename is None:
filename = CONFIG_DEFAULT_PATH
logger.debug('file_config() will try to open `{}`'.format(filename))
with open(filename) as f:
try:
config = json.load(f)
except ValueError as err:
raise exceptions.ConfigurationError(
'Failed to parse the JSON configuration from `{}`, {}'.
format(filename, err))
logger.info('Configuration loaded from `{}`'.format(filename))
return config
| file_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename=None):\n logger.debug('On entry into file_config(), filename = {}'.format(filename))\n if filename is None:\n filename = CONFIG_DEFAULT_P... |
def x(config):
def x(value, path):
var_name = CONFIG_SEP.join([CONFIG_PREFIX] + list(map(lambda s: s.
upper(), path)))
return os.environ.get(var_name, value)
return map_leafs(load_from_env, config)
| env_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config):\n\n def x(value, path):\n var_name = CONFIG_SEP.join([CONFIG_PREFIX] + list(map(lambda s: s.\n upper(), path)))\n return o... |
def x(config, reference, list_sep=':'):
def x(current, value):
try:
return current(value)
except TypeError:
if isinstance(current, list) and isinstance(value, str):
return value.split(list_sep)
try:
return type(current)(value)
except TypeError:
return value
def x(value, path):
current = reference
for elem in path:
try:
current = current[elem]
except KeyError:
return value
return _coerce(current, value)
return map_leafs(_update_type, config)
| update_types | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, reference, list_sep=':'):\n\n def x(current, value):\n try:\n return current(value)\n except TypeError:\n if isi... |
def x(config):
bigchaindb.config = copy.deepcopy(bigchaindb._config)
update(bigchaindb.config, update_types(config, bigchaindb.config))
bigchaindb.config['CONFIGURED'] = True
| set_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config):\n bigchaindb.config = copy.deepcopy(bigchaindb._config)\n update(bigchaindb.config, update_types(config, bigchaindb.config))\n bigchaindb.con... |
def x(config):
update(bigchaindb.config, update_types(config, bigchaindb.config))
bigchaindb.config['CONFIGURED'] = True
| update_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config):\n update(bigchaindb.config, update_types(config, bigchaindb.config))\n bigchaindb.config['CONFIGURED'] = True\n",
"role": "user"
},
{
... |
def x(config, filename=None):
if not filename:
filename = CONFIG_DEFAULT_PATH
with open(filename, 'w') as f:
json.dump(config, f, indent=4)
| write_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, filename=None):\n if not filename:\n filename = CONFIG_DEFAULT_PATH\n with open(filename, 'w') as f:\n json.dump(config, f, indent=... |
def x(filename=None, config=None, force=False):
if not force and is_configured():
logger.debug('System already configured, skipping autoconfiguration')
return
newconfig = bigchaindb.config
try:
newconfig = update(newconfig, file_config(filename=filename))
except FileNotFoundError as e:
if filename:
raise
else:
logger.info('Cannot find config file `%s`.' % e.filename)
newconfig = env_config(newconfig)
if config:
newconfig = update(newconfig, config)
set_config(newconfig)
| autoconfigure | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename=None, config=None, force=False):\n if not force and is_configured():\n logger.debug('System already configured, skipping autoconfiguration')... |
def x(name=None):
if not name:
return BaseValidationRules
plugin = None
for entry_point in iter_entry_points('bigchaindb.validation', name):
plugin = entry_point.load()
if not plugin:
raise ResolutionError(
'No plugin found in group `bigchaindb.validation` with name `{}`'
.format(name))
if not issubclass(plugin, (BaseValidationRules,)):
raise TypeError(
'object of type "{}" does not implement `bigchaindb.validation.BaseValidationRules`'
.format(type(plugin)))
return plugin
| load_validation_plugin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name=None):\n if not name:\n return BaseValidationRules\n plugin = None\n for entry_point in iter_entry_points('bigchaindb.validation', name):\... |
def x(builder, size, timeout=None):
lock = threading.Lock()
local_pool = queue.Queue()
current_size = 0
@contextlib.contextmanager
def x():
nonlocal current_size
instance = None
if current_size < size:
with lock:
if current_size < size:
current_size += 1
instance = builder()
if instance is None:
instance = local_pool.get(timeout=timeout)
yield instance
local_pool.put(instance)
return pooled
| pool | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(builder, size, timeout=None):\n lock = threading.Lock()\n local_pool = queue.Queue()\n current_size = 0\n\n @contextlib.contextmanager\n def x()... |
def x(condition_details, owner):
if 'subconditions' in condition_details:
result = condition_details_has_owner(condition_details[
'subconditions'], owner)
if result:
return True
elif isinstance(condition_details, list):
for subcondition in condition_details:
result = condition_details_has_owner(subcondition, owner)
if result:
return True
elif 'public_key' in condition_details and owner == condition_details[
'public_key']:
return True
return False
| condition_details_has_owner | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(condition_details, owner):\n if 'subconditions' in condition_details:\n result = condition_details_has_owner(condition_details[\n 'subcond... |
def x(running_tm_ver):
tm_ver = running_tm_ver.split('-')
if not tm_ver:
return False
for ver in __tm_supported_versions__:
if version.parse(ver) == version.parse(tm_ver[0]):
return True
return False
| tendermint_version_is_compatible | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(running_tm_ver):\n tm_ver = running_tm_ver.split('-')\n if not tm_ver:\n return False\n for ver in __tm_supported_versions__:\n if versi... |
def x(self, instance):
last = instance
for item in self.stack:
if isinstance(item, str):
last = getattr(last, item)
else:
last = last(*item[0], **item[1])
self.stack = []
return last
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance):\n last = instance\n for item in self.stack:\n if isinstance(item, str):\n last = getattr(last, item)\n else:\n ... |
def x():
scheme = config['wsserver']['advertised_scheme']
host = config['wsserver']['advertised_host']
port = config['wsserver']['advertised_port']
return '{}://{}:{}'.format(scheme, host, port)
| base_ws_uri | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n scheme = config['wsserver']['advertised_scheme']\n host = config['wsserver']['advertised_host']\n port = config['wsserver']['advertised_port']\n ... |
def x(self, tx_id):
pool = current_app.config['bigchain_pool']
with pool() as bigchain:
tx = bigchain.get_transaction(tx_id)
if not tx:
return make_error(404)
return tx.to_dict()
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tx_id):\n pool = current_app.config['bigchain_pool']\n with pool() as bigchain:\n tx = bigchain.get_transaction(tx_id)\n if not tx:\n ... |
def x(self):
parser = reqparse.RequestParser()
parser.add_argument('mode', type=parameters.valid_mode, default=
'broadcast_tx_async')
args = parser.parse_args()
mode = str(args['mode'])
pool = current_app.config['bigchain_pool']
tx = request.get_json(force=True)
try:
tx_obj = Transaction.from_dict(tx)
except SchemaValidationError as e:
return make_error(400, message='Invalid transaction schema: {}'.
format(e.__cause__.message))
except ValidationError as e:
return make_error(400, 'Invalid transaction ({}): {}'.format(type(e
).__name__, e))
with pool() as bigchain:
try:
bigchain.validate_transaction(tx_obj)
except ValidationError as e:
return make_error(400, 'Invalid transaction ({}): {}'.format(
type(e).__name__, e))
else:
status_code, message = bigchain.write_transaction(tx_obj, mode)
if status_code == 202:
response = jsonify(tx)
response.status_code = 202
return response
else:
return make_error(status_code, message)
| post | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n parser = reqparse.RequestParser()\n parser.add_argument('mode', type=parameters.valid_mode, default=\n 'broadcast_tx_async')\n args = ... |
def x(self, public_key):
txs = list(query.get_owned_ids(self.connection, public_key))
return [TransactionLink(tx['id'], index) for tx in txs for index,
output in enumerate(tx['outputs']) if condition_details_has_owner(
output['condition']['details'], public_key)]
| get_outputs_by_public_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, public_key):\n txs = list(query.get_owned_ids(self.connection, public_key))\n return [TransactionLink(tx['id'], index) for tx in txs for index,\n ... |
def x(self, outputs):
links = [o.to_dict() for o in outputs]
txs = list(query.get_spending_transactions(self.connection, links))
spends = {TransactionLink.from_dict(input_['fulfills']) for tx in txs for
input_ in tx['inputs']}
return [ff for ff in outputs if ff not in spends]
| filter_spent_outputs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, outputs):\n links = [o.to_dict() for o in outputs]\n txs = list(query.get_spending_transactions(self.connection, links))\n spends = {Transaction... |
def x(name, path=__file__):
path = os.path.join(os.path.dirname(path), name + '.yaml')
with open(path) as handle:
schema = yaml.safe_load(handle)
fast_schema = rapidjson.Validator(rapidjson.dumps(schema))
return path, (schema, fast_schema)
| load_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, path=__file__):\n path = os.path.join(os.path.dirname(path), name + '.yaml')\n with open(path) as handle:\n schema = yaml.safe_load(handle)\... |
def x(schema, body):
try:
schema[1](rapidjson.dumps(body))
except ValueError as exc:
try:
jsonschema.validate(body, schema[0])
except jsonschema.ValidationError as exc2:
raise SchemaValidationError(str(exc2)) from exc2
logger.warning(
'code problem: jsonschema did not raise an exception, wheras rapidjson raised %s'
, exc)
raise SchemaValidationError(str(exc)) from exc
| validate_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(schema, body):\n try:\n schema[1](rapidjson.dumps(body))\n except ValueError as exc:\n try:\n jsonschema.validate(body, schema[0... |
def x(tx):
_validate_schema(TX_SCHEMA_COMMON, tx)
if tx['operation'] == 'TRANSFER':
_validate_schema(TX_SCHEMA_TRANSFER, tx)
else:
_validate_schema(TX_SCHEMA_CREATE, tx)
| validate_transaction_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tx):\n _validate_schema(TX_SCHEMA_COMMON, tx)\n if tx['operation'] == 'TRANSFER':\n _validate_schema(TX_SCHEMA_TRANSFER, tx)\n else:\n _... |
def x(self, transaction, mode):
if not mode or mode not in self.mode_list:
raise ValidationError('Mode must be one of the following {}.'.
format(', '.join(self.mode_list)))
tx_dict = (transaction.tx_dict if transaction.tx_dict else transaction.
to_dict())
payload = {'method': mode, 'jsonrpc': '2.0', 'params': [
encode_transaction(tx_dict)], 'id': str(uuid4())}
return requests.post(self.endpoint, json=payload)
| post_transaction | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, transaction, mode):\n if not mode or mode not in self.mode_list:\n raise ValidationError('Mode must be one of the following {}.'.\n ... |
def x(self, transaction, mode):
response = self.post_transaction(transaction, mode)
return self._process_post_response(response.json(), mode)
| write_transaction | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, transaction, mode):\n response = self.post_transaction(transaction, mode)\n return self._process_post_response(response.json(), mode)\n",
"role... |
def x(self, transaction):
spent_outputs = [spent_output for spent_output in transaction.spent_outputs
]
if spent_outputs:
self.delete_unspent_outputs(*spent_outputs)
self.store_unspent_outputs(*[utxo._asdict() for utxo in transaction.
unspent_outputs])
| update_utxoset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, transaction):\n spent_outputs = [spent_output for spent_output in transaction.spent_outputs\n ]\n if spent_outputs:\n self.delete_uns... |
def x(self, *unspent_outputs):
if unspent_outputs:
return backend.query.store_unspent_outputs(self.connection, *
unspent_outputs)
| store_unspent_outputs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *unspent_outputs):\n if unspent_outputs:\n return backend.query.store_unspent_outputs(self.connection, *\n unspent_outputs)\n",
... |
def x(self):
utxoset = backend.query.get_unspent_outputs(self.connection)
hashes = [sha3_256('{}{}'.format(utxo['transaction_id'], utxo[
'output_index']).encode()).digest() for utxo in utxoset]
return merkleroot(sorted(hashes))
| get_utxoset_merkle_root | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n utxoset = backend.query.get_unspent_outputs(self.connection)\n hashes = [sha3_256('{}{}'.format(utxo['transaction_id'], utxo[\n 'output_i... |
def x(self):
cursor = backend.query.get_unspent_outputs(self.connection)
return (record for record in cursor)
| get_unspent_outputs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n cursor = backend.query.get_unspent_outputs(self.connection)\n return (record for record in cursor)\n",
"role": "user"
},
{
"content"... |
def x(self, *unspent_outputs):
if unspent_outputs:
return backend.query.delete_unspent_outputs(self.connection, *
unspent_outputs)
| delete_unspent_outputs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *unspent_outputs):\n if unspent_outputs:\n return backend.query.delete_unspent_outputs(self.connection, *\n unspent_outputs)\n",
... |
def x(self, asset_id, operation=None):
txids = backend.query.get_txids_filtered(self.connection, asset_id,
operation)
for txid in txids:
yield self.get_transaction(txid)
| get_transactions_filtered | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, asset_id, operation=None):\n txids = backend.query.get_txids_filtered(self.connection, asset_id,\n operation)\n for txid in txids:\n ... |
def x(self, owner, spent=None):
outputs = self.fastquery.get_outputs_by_public_key(owner)
if spent is None:
return outputs
elif spent is True:
return self.fastquery.filter_unspent_outputs(outputs)
elif spent is False:
return self.fastquery.filter_spent_outputs(outputs)
| get_outputs_filtered | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, owner, spent=None):\n outputs = self.fastquery.get_outputs_by_public_key(owner)\n if spent is None:\n return outputs\n elif spent is True... |
def x(self, block_id):
block = backend.query.get_block(self.connection, block_id)
latest_block = self.get_latest_block()
latest_block_height = latest_block['height'] if latest_block else 0
if not block and block_id > latest_block_height:
return
result = {'height': block_id, 'transactions': []}
if block:
transactions = backend.query.get_transactions(self.connection,
block['transactions'])
result['transactions'] = [t.to_dict() for t in Transaction.from_db(
self, transactions)]
return result
| get_block | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, block_id):\n block = backend.query.get_block(self.connection, block_id)\n latest_block = self.get_latest_block()\n latest_block_height = latest_... |
def x(self, txid):
blocks = list(backend.query.get_block_with_transaction(self.connection,
txid))
if len(blocks) > 1:
logger.critical('Transaction id %s exists in multiple blocks', txid)
return [block['height'] for block in blocks]
| get_block_containing_tx | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, txid):\n blocks = list(backend.query.get_block_with_transaction(self.connection,\n txid))\n if len(blocks) > 1:\n logger.critical('Tr... |
def x(self, tx, current_transactions=[]):
transaction = tx
if isinstance(transaction, dict):
try:
transaction = Transaction.from_dict(tx)
except SchemaValidationError as e:
logger.warning('Invalid transaction schema: %s', e.__cause__.
message)
return False
except ValidationError as e:
logger.warning('Invalid transaction (%s): %s', type(e).__name__, e)
return False
return transaction.validate(self, current_transactions)
| validate_transaction | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tx, current_transactions=[]):\n transaction = tx\n if isinstance(transaction, dict):\n try:\n transaction = Transaction.from_dict... |
def x(self, search, *, limit=0, table='assets'):
return backend.query.text_search(self.connection, search, limit=limit,
table=table)
| text_search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, search, *, limit=0, table='assets'):\n return backend.query.text_search(self.connection, search, limit=limit,\n table=table)\n",
"role": "u... |
def x(self, height, validators):
return backend.query.store_validator_set(self.connection, {'height':
height, 'validators': validators})
| store_validator_set | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, height, validators):\n return backend.query.store_validator_set(self.connection, {'height':\n height, 'validators': validators})\n",
"role"... |
def x(self):
latest_chain = self.get_latest_abci_chain()
if latest_chain is None:
return
block = self.get_latest_block()
suffix = '-migrated-at-height-'
chain_id = latest_chain['chain_id']
block_height_str = str(block['height'])
new_chain_id = chain_id.split(suffix)[0] + suffix + block_height_str
self.store_abci_chain(block['height'] + 1, new_chain_id, False)
| migrate_abci_chain | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n latest_chain = self.get_latest_abci_chain()\n if latest_chain is None:\n return\n block = self.get_latest_block()\n suffix = '-migr... |
def x(in_queue, out_queue, loop):
while True:
value = in_queue.get()
loop.call_soon_threadsafe(out_queue.put_nowait, value)
| multiprocessing_to_asyncio | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(in_queue, out_queue, loop):\n while True:\n value = in_queue.get()\n loop.call_soon_threadsafe(out_queue.put_nowait, value)\n",
"role": "u... |
def x(request):
logger.debug('New websocket connection.')
websocket = web.WebSocketResponse()
yield from websocket.prepare(request)
uuid = uuid4()
request.app['dispatcher'].subscribe(uuid, websocket)
while True:
try:
msg = yield from websocket.receive()
except RuntimeError as e:
logger.debug('Websocket exception: %s', str(e))
break
except CancelledError:
logger.debug('Websocket closed')
break
if msg.type == aiohttp.WSMsgType.CLOSED:
logger.debug('Websocket closed')
break
elif msg.type == aiohttp.WSMsgType.ERROR:
logger.debug('Websocket exception: %s', websocket.exception())
break
request.app['dispatcher'].unsubscribe(uuid)
return websocket
| websocket_handler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n logger.debug('New websocket connection.')\n websocket = web.WebSocketResponse()\n yield from websocket.prepare(request)\n uuid = uuid4(... |
def x(event_source, *, loop=None):
dispatcher = Dispatcher(event_source)
loop.create_task(dispatcher.publish())
app = web.Application(loop=loop)
app['dispatcher'] = dispatcher
app.router.add_get(EVENTS_ENDPOINT, websocket_handler)
return app
| init_app | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(event_source, *, loop=None):\n dispatcher = Dispatcher(event_source)\n loop.create_task(dispatcher.publish())\n app = web.Application(loop=loop)\n ... |
def x(sync_event_source, loop=None):
if not loop:
loop = asyncio.get_event_loop()
event_source = asyncio.Queue(loop=loop)
bridge = threading.Thread(target=_multiprocessing_to_asyncio, args=(
sync_event_source, event_source, loop), daemon=True)
bridge.start()
app = init_app(event_source, loop=loop)
aiohttp.web.run_app(app, host=config['wsserver']['host'], port=config[
'wsserver']['port'])
| start | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sync_event_source, loop=None):\n if not loop:\n loop = asyncio.get_event_loop()\n event_source = asyncio.Queue(loop=loop)\n bridge = threading.... |
def x(self):
while True:
event = yield from self.event_source.get()
str_buffer = []
if event == POISON_PILL:
return
if isinstance(event, str):
str_buffer.append(event)
elif event.type == EventTypes.BLOCK_VALID:
str_buffer = map(json.dumps, eventify_block(event.data))
for str_item in str_buffer:
for _, websocket in self.subscribers.items():
yield from websocket.send_str(str_item)
| publish | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n while True:\n event = yield from self.event_source.get()\n str_buffer = []\n if event == POISON_PILL:\n return\n ... |
def x(hashes):
if not hashes:
return sha3_256(b'').hexdigest()
if len(hashes) == 1:
return hexlify(hashes[0]).decode()
if len(hashes) % 2 == 1:
hashes.append(hashes[-1])
parent_hashes = [sha3_256(hashes[i] + hashes[i + 1]).digest() for i in
range(0, len(hashes) - 1, 2)]
return merkleroot(parent_hashes)
| merkleroot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hashes):\n if not hashes:\n return sha3_256(b'').hexdigest()\n if len(hashes) == 1:\n return hexlify(hashes[0]).decode()\n if len(hashes... |
def x(base64_public_key):
ed25519_public_key = public_key_from_base64(base64_public_key)
encoded_public_key = amino_encoded_public_key(ed25519_public_key)
return hashlib.new('ripemd160', encoded_public_key).hexdigest().upper()
| public_key64_to_address | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(base64_public_key):\n ed25519_public_key = public_key_from_base64(base64_public_key)\n encoded_public_key = amino_encoded_public_key(ed25519_public_key)\... |
def x(self, bigchain, current_transactions=[]):
input_conditions = []
if self.operation == Transaction.CREATE:
duplicates = any(txn for txn in current_transactions if txn.id ==
self.id)
if bigchain.is_committed(self.id) or duplicates:
raise DuplicateTransaction('transaction `{}` already exists'.
format(self.id))
if not self.inputs_valid(input_conditions):
raise InvalidSignature('Transaction signature is invalid.')
elif self.operation == Transaction.TRANSFER:
self.validate_transfer_inputs(bigchain, current_transactions)
return self
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bigchain, current_transactions=[]):\n input_conditions = []\n if self.operation == Transaction.CREATE:\n duplicates = any(txn for txn in cur... |
def x(self):
try:
if (self.ca_cert is None or self.certfile is None or self.keyfile is
None or self.crlfile is None):
client = pymongo.MongoClient(self.host, self.port, replicaset=
self.replicaset, serverselectiontimeoutms=self.
connection_timeout, ssl=self.ssl, **MONGO_OPTS)
if self.login is not None and self.password is not None:
client[self.dbname].authenticate(self.login, self.password)
else:
logger.info('Connecting to MongoDB over TLS/SSL...')
client = pymongo.MongoClient(self.host, self.port, replicaset=
self.replicaset, serverselectiontimeoutms=self.
connection_timeout, ssl=self.ssl, ssl_ca_certs=self.ca_cert,
ssl_certfile=self.certfile, ssl_keyfile=self.keyfile,
ssl_pem_passphrase=self.keyfile_passphrase, ssl_crlfile=
self.crlfile, ssl_cert_reqs=CERT_REQUIRED, **MONGO_OPTS)
if self.login is not None:
client[self.dbname].authenticate(self.login, mechanism=
'MONGODB-X509')
return client
except (pymongo.errors.ConnectionFailure, pymongo.errors.OperationFailure
) as exc:
logger.info('Exception in _connect(): {}'.format(exc))
raise ConnectionError(str(exc)) from exc
except pymongo.errors.ConfigurationError as exc:
raise ConfigurationError from exc
| connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n if (self.ca_cert is None or self.certfile is None or self.keyfile is\n None or self.crlfile is None):\n client ... |
def x(app):
for prefix, routes in API_SECTIONS:
api = Api(app, prefix=prefix)
for (pattern, resource, *args), kwargs in routes:
kwargs.setdefault('strict_slashes', False)
api.add_resource(resource, pattern, *args, **kwargs)
| add_routes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app):\n for prefix, routes in API_SECTIONS:\n api = Api(app, prefix=prefix)\n for (pattern, resource, *args), kwargs in routes:\n k... |
def x(self) ->'EFBChat':
self.chat_name = 'You'
self.chat_alias = None
self.chat_uid = EFBChat.SELF_ID
self.chat_type = ChatType.User
return self
| self | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->'EFBChat':\n self.chat_name = 'You'\n self.chat_alias = None\n self.chat_uid = EFBChat.SELF_ID\n self.chat_type = ChatType.User\n return... |
def x(self) ->'EFBChat':
self.chat_name = 'System'
self.chat_alias = None
self.chat_uid = EFBChat.SYSTEM_ID
self.chat_type = ChatType.System
return self
| system | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->'EFBChat':\n self.chat_name = 'System'\n self.chat_alias = None\n self.chat_uid = EFBChat.SYSTEM_ID\n self.chat_type = ChatType.System\n ... |
def x(self) ->str:
if self.chat_alias:
return '{0} ({1})'.format(self.chat_alias, self.chat_name)
else:
return self.chat_name
| long_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->str:\n if self.chat_alias:\n return '{0} ({1})'.format(self.chat_alias, self.chat_name)\n else:\n return self.chat_name\n",
"ro... |
def x(self):
if any(not i for i in (self.chat_uid, self.module_id)):
raise ValueError('Chat data is incomplete.')
if not isinstance(self.chat_type, ChatType):
raise ValueError('Invalid chat type.')
if self.chat_type == ChatType.Group:
if any(not isinstance(i, EFBChat) or not i.chat_type == ChatType.
User for i in self.members):
raise ValueError('The group has an invalid member.')
if self.group is not None and (not isinstance(self.group, EFBChat) or
not self.group.chat_type == ChatType.Group):
raise ValueError('The member is in an invalid group.')
| verify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if any(not i for i in (self.chat_uid, self.module_id)):\n raise ValueError('Chat data is incomplete.')\n if not isinstance(self.chat_type... |
def x(self) ->Dict[str, Callable]:
methods = {}
for mName in dir(self):
m = getattr(self, mName)
if callable(m) and getattr(m, 'extra_fn', False):
methods[mName] = m
return methods
| get_extra_functions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->Dict[str, Callable]:\n methods = {}\n for mName in dir(self):\n m = getattr(self, mName)\n if callable(m) and getattr(m, 'extra_fn'... |
def x():
if sys.version_info < (3, 6):
version_str = '%s.%s.%s' % sys.version_info[:3]
search_url = build_search_query(_('install') + ' Python 3.7')
return _(
"""EH Forwarder Bot requires a minimum of Python 3.6 to run. You are currently using Python {version}.
You may want to try:
{url}"""
).format(version=version_str, url=search_url)
modules_err = _(
"""You may want to visit the modules repository to find a list of available modules to install.
https://github.com/blueset/ehForwarderBot/wiki/Channels-Repository"""
)
try:
next(pkg_resources.iter_entry_points('ehforwarderbot.master'))
except StopIteration:
return _(
'No master channel detected. EH Forwarder Bot requires at least one master channel installed to run.'
) + '\n\n' + modules_err
try:
next(pkg_resources.iter_entry_points('ehforwarderbot.slave'))
except StopIteration:
return _(
'No slave channel detected. EH Forwarder Bot requires at least one slave channel installed to run.'
) + '\n\n' + modules_err
| prerequisite_check | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if sys.version_info < (3, 6):\n version_str = '%s.%s.%s' % sys.version_info[:3]\n search_url = build_search_query(_('install') + ' Python... |
def x(self) ->Dict[str, Callable]:
if self.channel_type == ChannelType.Master:
raise NameError(
'get_extra_function is not available on master channels.')
methods = {}
for mName in dir(self):
m = getattr(self, mName)
if callable(m) and getattr(m, 'extra_fn', False):
methods[mName] = m
return methods
| get_extra_functions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->Dict[str, Callable]:\n if self.channel_type == ChannelType.Master:\n raise NameError(\n 'get_extra_function is not available on ma... |
def x(self):
if self.author is None or not isinstance(self.author, EFBChat):
raise ValueError('Author is not valid.')
else:
self.author.verify()
if self.chat is None or not isinstance(self.chat, EFBChat):
raise ValueError('Chat is not valid.')
elif self.chat is not self.author:
self.chat.verify()
if self.type is None or not isinstance(self.type, MsgType):
raise ValueError('Type is not valid.')
if self.deliver_to is None or not isinstance(self.deliver_to, EFBChannel):
raise ValueError('Deliver_to is not valid.')
if self.type in (MsgType.Audio, MsgType.File, MsgType.Image, MsgType.
Sticker, MsgType.Video) and (not self.edit or self.edit and self.
edit_media):
if self.file is None or not hasattr(self.file, 'read') or not hasattr(
self.file, 'close'):
raise ValueError('File is not valid.')
if self.mime is None or not self.mime or not isinstance(self.mime, str
):
raise ValueError('MIME is not valid.')
if self.path is None or not self.path or not isinstance(self.path, str
):
raise ValueError('Path is not valid.')
if self.type == MsgType.Location and (self.attributes is None or not
isinstance(self.attributes, EFBMsgLocationAttribute)):
raise ValueError('Attribute of location message is invalid.')
if self.type == MsgType.Link and (self.attributes is None or not
isinstance(self.attributes, EFBMsgLinkAttribute)):
raise ValueError('Attribute of link message is invalid.')
if self.type == MsgType.Status and (self.attributes is None or not
isinstance(self.attributes, EFBMsgStatusAttribute)):
raise ValueError('Attribute of status message is invalid.')
if self.attributes:
self.attributes.verify()
if self.commands:
self.commands.verify()
if self.substitutions:
self.substitutions.verify()
| verify | [
{
"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.author is None or not isinstance(self.author, EFBChat):\n raise ValueError('Author is not valid.')\n else:\n self.author.v... |
def x(v: version.Version, level: str) ->str:
release: List[int] = list(v.release)
stage: Optional[str]
pre: Optional[int]
stage, pre = v.pre if v.pre else (None, None)
dev: Optional[int] = v.dev
post: Optional[int] = v.post
if level in ('major', 'minor', 'patch'):
segments = 0
if level == 'major':
segments = 1
elif level == 'minor':
segments = 2
elif level == 'patch':
segments = 3
if not any(release[segments:]) and (stage is not None or dev is not
None):
pass
else:
release[segments - 1] += 1
release[segments:] = [0] * max(len(release) - segments, 0)
stage = pre = post = dev = None
elif level == 'alpha':
if stage is None:
if dev is None:
release[-1] += 1
stage, pre = 'a', 1
elif stage > 'a':
release[-1] += 1
stage, pre = 'a', 1
elif stage == 'a':
pre += 1
post = dev = None
elif level == 'beta':
if stage is None:
if dev is None:
release[-1] += 1
stage, pre = 'b', 1
elif stage > 'b':
release[-1] += 1
stage, pre = 'b', 1
elif stage == 'b':
pre += 1
elif stage < 'b':
pre = 1
stage = 'b'
post = dev = None
elif level == 'post':
if post is not None:
post += 1
else:
post = 1
dev = None
elif level == 'dev':
if dev is not None:
dev += 1
else:
if stage:
pre += 1
else:
release[-1] += 1
dev = 1
ver = '.'.join(str(i) for i in release)
if stage is not None:
ver += f'{stage}{pre}'
if post is not None:
ver += f'.post{post}'
if dev is not None:
ver += f'.dev{dev}'
return ver
| bump_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(v: version.Version, level: str) ->str:\n release: List[int] = list(v.release)\n stage: Optional[str]\n pre: Optional[int]\n stage, pre = v.pre if v... |
def x(name: str, desc: str) ->Callable:
def x(f):
f.__setattr__('extra_fn', True)
f.__setattr__('name', name)
f.__setattr__('desc', desc)
return f
return attr_dec
| extra | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name: str, desc: str) ->Callable:\n\n def x(f):\n f.__setattr__('extra_fn', True)\n f.__setattr__('name', name)\n f.__setattr__('desc',... |
def x() ->Path:
env_data_path = os.environ.get('EFB_DATA_PATH', None)
if env_data_path:
base_path = Path(env_data_path).resolve()
else:
base_path = Path.home() / '.ehforwarderbot'
if not base_path.exists():
base_path.mkdir(parents=True)
return base_path
| get_base_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x() ->Path:\n env_data_path = os.environ.get('EFB_DATA_PATH', None)\n if env_data_path:\n base_path = Path(env_data_path).resolve()\n else:\n ... |
def x(module_id: str) ->Path:
profile = coordinator.profile
data_path = get_base_path() / 'profiles' / profile / module_id
if not data_path.exists():
data_path.mkdir(parents=True)
return data_path
| get_data_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(module_id: str) ->Path:\n profile = coordinator.profile\n data_path = get_base_path() / 'profiles' / profile / module_id\n if not data_path.exists():\... |
def x(module_id: str=None, ext: str='yaml') ->Path:
if module_id:
config_path = get_data_path(module_id)
else:
profile = coordinator.profile
config_path = get_base_path() / 'profiles' / profile
if not config_path.exists():
config_path.mkdir(parents=True)
return config_path / 'config.{}'.format(ext)
| get_config_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(module_id: str=None, ext: str='yaml') ->Path:\n if module_id:\n config_path = get_data_path(module_id)\n else:\n profile = coordinator.prof... |
def x() ->Path:
channel_path = get_base_path() / 'modules'
if not channel_path.exists():
channel_path.mkdir(parents=True)
return channel_path
| get_custom_modules_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x() ->Path:\n channel_path = get_base_path() / 'modules'\n if not channel_path.exists():\n channel_path.mkdir(parents=True)\n return channel_path... |
def x(module_id: str, module_type: str=None):
entry_point = None
if module_type:
entry_point = 'ehforwarderbot.%s' % module_type
module_id = module_id.split('#', 1)[0]
if entry_point:
for i in pkg_resources.iter_entry_points(entry_point):
if i.name == module_id:
return i.load()
return pydoc.locate(module_id)
| locate_module | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(module_id: str, module_type: str=None):\n entry_point = None\n if module_type:\n entry_point = 'ehforwarderbot.%s' % module_type\n module_id = ... |
def x(channel: EFBChannel):
global master, slaves
if isinstance(channel, EFBChannel):
if channel.channel_type == ChannelType.Slave:
slaves[channel.channel_id] = channel
else:
master = channel
else:
raise TypeError('Channel instance is expected')
| add_channel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(channel: EFBChannel):\n global master, slaves\n if isinstance(channel, EFBChannel):\n if channel.channel_type == ChannelType.Slave:\n s... |
def x(middleware: EFBMiddleware):
global middlewares
if isinstance(middleware, EFBMiddleware):
middlewares.append(middleware)
else:
raise TypeError('Middleware instance is expected')
| add_middleware | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(middleware: EFBMiddleware):\n global middlewares\n if isinstance(middleware, EFBMiddleware):\n middlewares.append(middleware)\n else:\n ... |
def x(msg: 'EFBMsg') ->Optional['EFBMsg']:
global middlewares, master, slaves
if msg is None:
return
for i in middlewares:
m = i.process_message(msg)
if m is None:
return None
assert m is not None
msg = m
msg.verify()
if msg.deliver_to.channel_id == master.channel_id:
return master.send_message(msg)
elif msg.deliver_to.channel_id in slaves:
return slaves[msg.deliver_to.channel_id].send_message(msg)
else:
raise EFBChannelNotFound(msg)
| send_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(msg: 'EFBMsg') ->Optional['EFBMsg']:\n global middlewares, master, slaves\n if msg is None:\n return\n for i in middlewares:\n m = i.pro... |
def x(status: 'EFBStatus'):
global middlewares, master
if status is None:
return
s: 'Optional[EFBStatus]' = status
for i in middlewares:
s = i.process_status(cast('EFBStatus', s))
if s is None:
return
status = cast('EFBStatus', s)
status.verify()
status.destination_channel.send_status(status)
| send_status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(status: 'EFBStatus'):\n global middlewares, master\n if status is None:\n return\n s: 'Optional[EFBStatus]' = status\n for i in middlewares:... |
def x(module_id: str) ->Union[EFBChannel, EFBMiddleware]:
try:
if master.channel_id == module_id:
return master
except NameError:
pass
if module_id in slaves:
return slaves[module_id]
for i in middlewares:
if i.middleware_id == module_id:
return i
raise NameError('Module ID {} is not found'.format(module_id))
| get_module_by_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(module_id: str) ->Union[EFBChannel, EFBMiddleware]:\n try:\n if master.channel_id == module_id:\n return master\n except NameError:\n ... |
def x(conf):
logger = logging.getLogger(__name__)
mimetypes.init([pkg_resources.resource_filename('ehforwarderbot',
'mimetypes')])
for i in conf['slave_channels']:
logger.log(99, '\x1b[0;37;46m %s \x1b[0m', _(
'Initializing slave {}...').format(i))
cls = utils.locate_module(i, 'slave')
telemetry_set_metadata({i: cls.__version__})
instance_id = i.split('#', 1)[1:]
instance_id = instance_id and instance_id[0] or None
coordinator.add_channel(cls(instance_id=instance_id))
logger.log(99, '\x1b[0;37;42m %s \x1b[0m', _(
'Slave channel {name} ({id}) # {instance_id} is initialized.').
format(name=cls.channel_name, id=cls.channel_id, instance_id=
instance_id or _('Default profile')))
logger.log(99, '\x1b[0;37;46m %s \x1b[0m', _(
'Initializing master {}...').format(conf['master_channel']))
instance_id = conf['master_channel'].split('#', 1)[1:]
instance_id = instance_id and instance_id[0] or None
module = utils.locate_module(conf['master_channel'], 'master')
coordinator.add_channel(module(instance_id=instance_id))
telemetry_set_metadata({conf['master_channel']: module.__version__})
logger.log(99, '\x1b[0;37;42m %s \x1b[0m', _(
'Master channel {name} ({id}) # {instance_id} is initialized.').
format(name=coordinator.master.channel_name, id=coordinator.master.
channel_id, instance_id=instance_id or _('Default profile')))
logger.log(99, '\x1b[1;37;42m %s \x1b[0m', _('All channels initialized.'))
for i in conf['middlewares']:
logger.log(99, '\x1b[0;37;46m %s \x1b[0m', _(
'Initializing middleware {}...').format(i))
cls = utils.locate_module(i, 'middleware')
telemetry_set_metadata({i: cls.__version__})
instance_id = i.split('#', 1)[1:]
instance_id = instance_id and instance_id[0] or None
coordinator.add_middleware(cls(instance_id=instance_id))
logger.log(99, '\x1b[0;37;42m %s \x1b[0m', _(
'Middleware {name} ({id}) # {instance_id} is initialized.').
format(name=cls.middleware_name, id=cls.middleware_id,
instance_id=instance_id or _('Default profile')))
logger.log(99, '\x1b[1;37;42m %s \x1b[0m', _(
'All middlewares are initialized.'))
coordinator.master_thread = threading.Thread(target=coordinator.master.poll
)
coordinator.slave_threads = {key: threading.Thread(target=coordinator.
slaves[key].poll) for key in coordinator.slaves}
| init | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(conf):\n logger = logging.getLogger(__name__)\n mimetypes.init([pkg_resources.resource_filename('ehforwarderbot',\n 'mimetypes')])\n for i in c... |
def x():
coordinator.master_thread.start()
for i in coordinator.slave_threads:
coordinator.slave_threads[i].start()
| poll | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n coordinator.master_thread.start()\n for i in coordinator.slave_threads:\n coordinator.slave_threads[i].start()\n",
"role": "user"
},
... |
def x(args, conf):
logging_format = """%(asctime)s [%(levelname)s]: %(name)s (%(module)s.%(funcName)s; %(filename)s:%(lineno)d)
%(message)s"""
if getattr(args, 'verbose', None):
debug_logger = logging.StreamHandler(sys.stdout)
debug_logger.addFilter(LogLevelFilter(max_level=logging.WARNING))
debug_logger.setFormatter(logging.Formatter(logging_format))
logging.root.addHandler(debug_logger)
logging.root.level = logging.DEBUG
error_logger = logging.StreamHandler(sys.stderr)
error_logger.addFilter(LogLevelFilter(min_level=logging.ERROR))
error_logger.setFormatter(logging.Formatter(logging_format))
logging.root.addHandler(error_logger)
if conf['logging']:
logging.config.dictConfig(conf['logging'])
| setup_logging | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args, conf):\n logging_format = \"\"\"%(asctime)s [%(levelname)s]: %(name)s (%(module)s.%(funcName)s; %(filename)s:%(lineno)d)\n %(message)s\"\"\"\n i... |
def x(key: str):
if not isinstance(key, str):
return
if key not in (CAPTURE_EXCEPTIONS, CAPTURE_LOG, CAPTURE_LOG_ANALYSIS):
return
telemetry_config = {}
if key in (CAPTURE_LOG, CAPTURE_LOG_ANALYSIS):
telemetry_config.update({'sentry': {'enable': True, 'capture_logs':
True}})
if key == CAPTURE_LOG_ANALYSIS:
telemetry_config.update({'logz': {'enable': True}, 'loggly': {
'enable': True}, 'logdna': {'enable': True}})
global telemetry
import telemetry_1a23
telemetry_1a23.init('ehforwarderbot', telemetry_config)
telemetry_1a23.set_metadata({'ehforwarderbot': __version__})
telemetry = telemetry_1a23
| setup_telemetry | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key: str):\n if not isinstance(key, str):\n return\n if key not in (CAPTURE_EXCEPTIONS, CAPTURE_LOG, CAPTURE_LOG_ANALYSIS):\n return\n t... |
def x(**kwargs):
try:
logging.debug('Connecting to mapd db...')
con = pymapd.connect(user=kwargs['db_user'], password=kwargs[
'db_passwd'], host=kwargs['db_server'], port=kwargs['db_port'],
dbname=kwargs['db_name'])
logging.info('Succesfully connected to mapd db')
return con
except (pymapd.exceptions.OperationalError, pymapd.exceptions.Error):
logging.exception('Error connecting to database.')
return False
| get_connection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**kwargs):\n try:\n logging.debug('Connecting to mapd db...')\n con = pymapd.connect(user=kwargs['db_user'], password=kwargs[\n 'db... |
def x(**kwargs):
start_time = timeit.default_timer()
try:
query_result = con.execute(kwargs['query_mapdql'])
logging.debug('Completed iteration ' + str(kwargs['iteration']) +
' of query ' + kwargs['query_name'])
except (pymapd.exceptions.ProgrammingError, pymapd.exceptions.Error):
logging.exception('Error running query ' + kwargs['query_name'] +
' during iteration ' + str(kwargs['iteration']))
return False
query_elapsed_time = (timeit.default_timer() - start_time) * 1000
execution_time = query_result._result.execution_time_ms
connect_time = round(query_elapsed_time - execution_time, 1)
logging.debug('Counting results from query' + kwargs['query_name'] +
' iteration ' + str(kwargs['iteration']))
result_count = 0
start_time = timeit.default_timer()
while query_result.fetchone():
result_count += 1
results_iter_time = round((timeit.default_timer() - start_time) * 1000, 1)
query_execution = {'result_count': result_count, 'execution_time':
execution_time, 'connect_time': connect_time, 'results_iter_time':
results_iter_time, 'total_time': execution_time + connect_time +
results_iter_time}
logging.debug('Execution results for query' + kwargs['query_name'] +
' iteration ' + str(kwargs['iteration']) + ': ' + str(query_execution))
return query_execution
| execute_query | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**kwargs):\n start_time = timeit.default_timer()\n try:\n query_result = con.execute(kwargs['query_mapdql'])\n logging.debug('Completed ite... |
def x(**kwargs):
return {'total_time_avg': round(numpy.mean(kwargs['total_times']), 1),
'total_time_min': round(numpy.min(kwargs['total_times']), 1),
'total_time_max': round(numpy.max(kwargs['total_times']), 1),
'total_time_85': round(numpy.percentile(kwargs['total_times'], 85),
1), 'execution_time_avg': round(numpy.mean(kwargs['execution_times'
]), 1), 'execution_time_min': round(numpy.min(kwargs[
'execution_times']), 1), 'execution_time_max': round(numpy.max(
kwargs['execution_times']), 1), 'execution_time_85': round(numpy.
percentile(kwargs['execution_times'], 85), 1), 'execution_time_25':
round(numpy.percentile(kwargs['execution_times'], 25), 1),
'execution_time_std': round(numpy.std(kwargs['execution_times']), 1
), 'connect_time_avg': round(numpy.mean(kwargs['connect_times']), 1
), 'connect_time_min': round(numpy.min(kwargs['connect_times']), 1),
'connect_time_max': round(numpy.max(kwargs['connect_times']), 1),
'connect_time_85': round(numpy.percentile(kwargs['connect_times'],
85), 1), 'results_iter_time_avg': round(numpy.mean(kwargs[
'results_iter_times']), 1), 'results_iter_time_min': round(numpy.
min(kwargs['results_iter_times']), 1), 'results_iter_time_max':
round(numpy.max(kwargs['results_iter_times']), 1),
'results_iter_time_85': round(numpy.percentile(kwargs[
'results_iter_times'], 85), 1)}
| calculate_query_times | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**kwargs):\n return {'total_time_avg': round(numpy.mean(kwargs['total_times']), 1),\n 'total_time_min': round(numpy.min(kwargs['total_times']), 1),\n... |
def x(**kwargs):
try:
con_mem_data_list = con._client.get_memory(session=kwargs['con'].
_session, memory_level=kwargs['mem_type'])
usedram = 0
freeram = 0
for con_mem_data in con_mem_data_list:
page_size = con_mem_data.page_size
node_memory_data_list = con_mem_data.node_memory_data
for node_memory_data in node_memory_data_list:
ram = node_memory_data.num_pages * page_size
is_free = node_memory_data.is_free
if is_free:
freeram += ram
else:
usedram += ram
totalallocated = usedram + freeram
if totalallocated > 0:
totalallocated = round(totalallocated / 1024 / 1024, 1)
usedram = round(usedram / 1024 / 1024, 1)
freeram = round(freeram / 1024 / 1024, 1)
ramusage = {}
ramusage['usedram'] = usedram
ramusage['freeram'] = freeram
ramusage['totalallocated'] = totalallocated
ramusage['errormessage'] = ''
except Exception as e:
errormessage = 'Get memory failed with error: ' + str(e)
logging.error(errormessage)
ramusage['errormessage'] = errormessage
return ramusage
| get_mem_usage | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**kwargs):\n try:\n con_mem_data_list = con._client.get_memory(session=kwargs['con'].\n _session, memory_level=kwargs['mem_type'])\n ... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.