repo
stringlengths
7
55
path
stringlengths
4
127
func_name
stringlengths
1
88
original_string
stringlengths
75
19.8k
language
stringclasses
1 value
code
stringlengths
75
19.8k
code_tokens
listlengths
20
707
docstring
stringlengths
3
17.3k
docstring_tokens
listlengths
3
222
sha
stringlengths
40
40
url
stringlengths
87
242
partition
stringclasses
1 value
idx
int64
0
252k
peterdemin/pip-compile-multi
pipcompilemulti/actions.py
merged_packages
def merged_packages(env_packages, names): """ Return union set of environment packages with given names >>> sorted(merged_packages( ... { ... 'a': {'x': 1, 'y': 2}, ... 'b': {'y': 2, 'z': 3}, ... 'c': {'z': 3, 'w': 4} ... }, ... ['a', 'b'] ... ).items()) [('x', 1), ('y', 2), ('z', 3)] """ combined_packages = sorted(itertools.chain.from_iterable( env_packages[name].items() for name in names )) result = {} errors = set() for name, version in combined_packages: if name in result: if result[name] != version: errors.add((name, version, result[name])) else: result[name] = version if errors: for error in sorted(errors): logger.error( "Package %s was resolved to different " "versions in different environments: %s and %s", error[0], error[1], error[2], ) raise RuntimeError( "Please add constraints for the package version listed above" ) return result
python
def merged_packages(env_packages, names): """ Return union set of environment packages with given names >>> sorted(merged_packages( ... { ... 'a': {'x': 1, 'y': 2}, ... 'b': {'y': 2, 'z': 3}, ... 'c': {'z': 3, 'w': 4} ... }, ... ['a', 'b'] ... ).items()) [('x', 1), ('y', 2), ('z', 3)] """ combined_packages = sorted(itertools.chain.from_iterable( env_packages[name].items() for name in names )) result = {} errors = set() for name, version in combined_packages: if name in result: if result[name] != version: errors.add((name, version, result[name])) else: result[name] = version if errors: for error in sorted(errors): logger.error( "Package %s was resolved to different " "versions in different environments: %s and %s", error[0], error[1], error[2], ) raise RuntimeError( "Please add constraints for the package version listed above" ) return result
[ "def", "merged_packages", "(", "env_packages", ",", "names", ")", ":", "combined_packages", "=", "sorted", "(", "itertools", ".", "chain", ".", "from_iterable", "(", "env_packages", "[", "name", "]", ".", "items", "(", ")", "for", "name", "in", "names", ")", ")", "result", "=", "{", "}", "errors", "=", "set", "(", ")", "for", "name", ",", "version", "in", "combined_packages", ":", "if", "name", "in", "result", ":", "if", "result", "[", "name", "]", "!=", "version", ":", "errors", ".", "add", "(", "(", "name", ",", "version", ",", "result", "[", "name", "]", ")", ")", "else", ":", "result", "[", "name", "]", "=", "version", "if", "errors", ":", "for", "error", "in", "sorted", "(", "errors", ")", ":", "logger", ".", "error", "(", "\"Package %s was resolved to different \"", "\"versions in different environments: %s and %s\"", ",", "error", "[", "0", "]", ",", "error", "[", "1", "]", ",", "error", "[", "2", "]", ",", ")", "raise", "RuntimeError", "(", "\"Please add constraints for the package version listed above\"", ")", "return", "result" ]
Return union set of environment packages with given names >>> sorted(merged_packages( ... { ... 'a': {'x': 1, 'y': 2}, ... 'b': {'y': 2, 'z': 3}, ... 'c': {'z': 3, 'w': 4} ... }, ... ['a', 'b'] ... ).items()) [('x', 1), ('y', 2), ('z', 3)]
[ "Return", "union", "set", "of", "environment", "packages", "with", "given", "names" ]
7bd1968c424dd7ce3236885b4b3e4e28523e6915
https://github.com/peterdemin/pip-compile-multi/blob/7bd1968c424dd7ce3236885b4b3e4e28523e6915/pipcompilemulti/actions.py#L65-L101
train
235,300
peterdemin/pip-compile-multi
pipcompilemulti/actions.py
recursive_refs
def recursive_refs(envs, name): """ Return set of recursive refs for given env name >>> local_refs = sorted(recursive_refs([ ... {'name': 'base', 'refs': []}, ... {'name': 'test', 'refs': ['base']}, ... {'name': 'local', 'refs': ['test']}, ... ], 'local')) >>> local_refs == ['base', 'test'] True """ refs_by_name = { env['name']: set(env['refs']) for env in envs } refs = refs_by_name[name] if refs: indirect_refs = set(itertools.chain.from_iterable([ recursive_refs(envs, ref) for ref in refs ])) else: indirect_refs = set() return set.union(refs, indirect_refs)
python
def recursive_refs(envs, name): """ Return set of recursive refs for given env name >>> local_refs = sorted(recursive_refs([ ... {'name': 'base', 'refs': []}, ... {'name': 'test', 'refs': ['base']}, ... {'name': 'local', 'refs': ['test']}, ... ], 'local')) >>> local_refs == ['base', 'test'] True """ refs_by_name = { env['name']: set(env['refs']) for env in envs } refs = refs_by_name[name] if refs: indirect_refs = set(itertools.chain.from_iterable([ recursive_refs(envs, ref) for ref in refs ])) else: indirect_refs = set() return set.union(refs, indirect_refs)
[ "def", "recursive_refs", "(", "envs", ",", "name", ")", ":", "refs_by_name", "=", "{", "env", "[", "'name'", "]", ":", "set", "(", "env", "[", "'refs'", "]", ")", "for", "env", "in", "envs", "}", "refs", "=", "refs_by_name", "[", "name", "]", "if", "refs", ":", "indirect_refs", "=", "set", "(", "itertools", ".", "chain", ".", "from_iterable", "(", "[", "recursive_refs", "(", "envs", ",", "ref", ")", "for", "ref", "in", "refs", "]", ")", ")", "else", ":", "indirect_refs", "=", "set", "(", ")", "return", "set", ".", "union", "(", "refs", ",", "indirect_refs", ")" ]
Return set of recursive refs for given env name >>> local_refs = sorted(recursive_refs([ ... {'name': 'base', 'refs': []}, ... {'name': 'test', 'refs': ['base']}, ... {'name': 'local', 'refs': ['test']}, ... ], 'local')) >>> local_refs == ['base', 'test'] True
[ "Return", "set", "of", "recursive", "refs", "for", "given", "env", "name" ]
7bd1968c424dd7ce3236885b4b3e4e28523e6915
https://github.com/peterdemin/pip-compile-multi/blob/7bd1968c424dd7ce3236885b4b3e4e28523e6915/pipcompilemulti/actions.py#L104-L128
train
235,301
peterdemin/pip-compile-multi
pipcompilemulti/actions.py
reference_cluster
def reference_cluster(envs, name): """ Return set of all env names referencing or referenced by given name. >>> cluster = sorted(reference_cluster([ ... {'name': 'base', 'refs': []}, ... {'name': 'test', 'refs': ['base']}, ... {'name': 'local', 'refs': ['test']}, ... ], 'test')) >>> cluster == ['base', 'local', 'test'] True """ edges = [ set([env['name'], ref]) for env in envs for ref in env['refs'] ] prev, cluster = set(), set([name]) while prev != cluster: # While cluster grows prev = set(cluster) to_visit = [] for edge in edges: if cluster & edge: # Add adjacent nodes: cluster |= edge else: # Leave only edges that are out # of cluster for the next round: to_visit.append(edge) edges = to_visit return cluster
python
def reference_cluster(envs, name): """ Return set of all env names referencing or referenced by given name. >>> cluster = sorted(reference_cluster([ ... {'name': 'base', 'refs': []}, ... {'name': 'test', 'refs': ['base']}, ... {'name': 'local', 'refs': ['test']}, ... ], 'test')) >>> cluster == ['base', 'local', 'test'] True """ edges = [ set([env['name'], ref]) for env in envs for ref in env['refs'] ] prev, cluster = set(), set([name]) while prev != cluster: # While cluster grows prev = set(cluster) to_visit = [] for edge in edges: if cluster & edge: # Add adjacent nodes: cluster |= edge else: # Leave only edges that are out # of cluster for the next round: to_visit.append(edge) edges = to_visit return cluster
[ "def", "reference_cluster", "(", "envs", ",", "name", ")", ":", "edges", "=", "[", "set", "(", "[", "env", "[", "'name'", "]", ",", "ref", "]", ")", "for", "env", "in", "envs", "for", "ref", "in", "env", "[", "'refs'", "]", "]", "prev", ",", "cluster", "=", "set", "(", ")", ",", "set", "(", "[", "name", "]", ")", "while", "prev", "!=", "cluster", ":", "# While cluster grows", "prev", "=", "set", "(", "cluster", ")", "to_visit", "=", "[", "]", "for", "edge", "in", "edges", ":", "if", "cluster", "&", "edge", ":", "# Add adjacent nodes:", "cluster", "|=", "edge", "else", ":", "# Leave only edges that are out", "# of cluster for the next round:", "to_visit", ".", "append", "(", "edge", ")", "edges", "=", "to_visit", "return", "cluster" ]
Return set of all env names referencing or referenced by given name. >>> cluster = sorted(reference_cluster([ ... {'name': 'base', 'refs': []}, ... {'name': 'test', 'refs': ['base']}, ... {'name': 'local', 'refs': ['test']}, ... ], 'test')) >>> cluster == ['base', 'local', 'test'] True
[ "Return", "set", "of", "all", "env", "names", "referencing", "or", "referenced", "by", "given", "name", "." ]
7bd1968c424dd7ce3236885b4b3e4e28523e6915
https://github.com/peterdemin/pip-compile-multi/blob/7bd1968c424dd7ce3236885b4b3e4e28523e6915/pipcompilemulti/actions.py#L131-L163
train
235,302
oceanprotocol/squid-py
squid_py/http_requests/requests_session.py
get_requests_session
def get_requests_session(): """ Set connection pool maxsize and block value to avoid `connection pool full` warnings. :return: requests session """ session = requests.sessions.Session() session.mount('http://', HTTPAdapter(pool_connections=25, pool_maxsize=25, pool_block=True)) session.mount('https://', HTTPAdapter(pool_connections=25, pool_maxsize=25, pool_block=True)) return session
python
def get_requests_session(): """ Set connection pool maxsize and block value to avoid `connection pool full` warnings. :return: requests session """ session = requests.sessions.Session() session.mount('http://', HTTPAdapter(pool_connections=25, pool_maxsize=25, pool_block=True)) session.mount('https://', HTTPAdapter(pool_connections=25, pool_maxsize=25, pool_block=True)) return session
[ "def", "get_requests_session", "(", ")", ":", "session", "=", "requests", ".", "sessions", ".", "Session", "(", ")", "session", ".", "mount", "(", "'http://'", ",", "HTTPAdapter", "(", "pool_connections", "=", "25", ",", "pool_maxsize", "=", "25", ",", "pool_block", "=", "True", ")", ")", "session", ".", "mount", "(", "'https://'", ",", "HTTPAdapter", "(", "pool_connections", "=", "25", ",", "pool_maxsize", "=", "25", ",", "pool_block", "=", "True", ")", ")", "return", "session" ]
Set connection pool maxsize and block value to avoid `connection pool full` warnings. :return: requests session
[ "Set", "connection", "pool", "maxsize", "and", "block", "value", "to", "avoid", "connection", "pool", "full", "warnings", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/http_requests/requests_session.py#L5-L14
train
235,303
oceanprotocol/squid-py
squid_py/keeper/dispenser.py
Dispenser.request_tokens
def request_tokens(self, amount, account): """ Request an amount of tokens for a particular address. This transaction has gas cost :param amount: Amount of tokens, int :param account: Account instance :raise OceanInvalidTransaction: Transaction failed :return: bool """ address = account.address try: tx_hash = self.send_transaction( 'requestTokens', (amount,), transact={'from': address, 'passphrase': account.password} ) logging.debug(f'{address} requests {amount} tokens, returning receipt') try: receipt = Web3Provider.get_web3().eth.waitForTransactionReceipt( tx_hash, timeout=20) logging.debug(f'requestTokens receipt: {receipt}') except Timeout: receipt = None if not receipt: return False if receipt.status == 0: logging.warning(f'request tokens failed: Tx-receipt={receipt}') logging.warning(f'request tokens failed: account {address}') return False # check for emitted events: rfe = EventFilter( 'RequestFrequencyExceeded', self.events.RequestFrequencyExceeded, argument_filters={'requester': Web3Provider.get_web3().toBytes(hexstr=address)}, from_block='latest', to_block='latest', ) logs = rfe.get_all_entries(max_tries=5) if logs: logging.warning(f'request tokens failed RequestFrequencyExceeded') logging.info(f'RequestFrequencyExceeded event logs: {logs}') return False rle = EventFilter( 'RequestLimitExceeded', self.events.RequestLimitExceeded, argument_filters={'requester': Web3Provider.get_web3().toBytes(hexstr=address)}, from_block='latest', to_block='latest', ) logs = rle.get_all_entries(max_tries=5) if logs: logging.warning(f'request tokens failed RequestLimitExceeded') logging.info(f'RequestLimitExceeded event logs: {logs}') return False return True except ValueError as err: raise OceanInvalidTransaction( f'Requesting {amount} tokens' f' to {address} failed with error: {err}' )
python
def request_tokens(self, amount, account): """ Request an amount of tokens for a particular address. This transaction has gas cost :param amount: Amount of tokens, int :param account: Account instance :raise OceanInvalidTransaction: Transaction failed :return: bool """ address = account.address try: tx_hash = self.send_transaction( 'requestTokens', (amount,), transact={'from': address, 'passphrase': account.password} ) logging.debug(f'{address} requests {amount} tokens, returning receipt') try: receipt = Web3Provider.get_web3().eth.waitForTransactionReceipt( tx_hash, timeout=20) logging.debug(f'requestTokens receipt: {receipt}') except Timeout: receipt = None if not receipt: return False if receipt.status == 0: logging.warning(f'request tokens failed: Tx-receipt={receipt}') logging.warning(f'request tokens failed: account {address}') return False # check for emitted events: rfe = EventFilter( 'RequestFrequencyExceeded', self.events.RequestFrequencyExceeded, argument_filters={'requester': Web3Provider.get_web3().toBytes(hexstr=address)}, from_block='latest', to_block='latest', ) logs = rfe.get_all_entries(max_tries=5) if logs: logging.warning(f'request tokens failed RequestFrequencyExceeded') logging.info(f'RequestFrequencyExceeded event logs: {logs}') return False rle = EventFilter( 'RequestLimitExceeded', self.events.RequestLimitExceeded, argument_filters={'requester': Web3Provider.get_web3().toBytes(hexstr=address)}, from_block='latest', to_block='latest', ) logs = rle.get_all_entries(max_tries=5) if logs: logging.warning(f'request tokens failed RequestLimitExceeded') logging.info(f'RequestLimitExceeded event logs: {logs}') return False return True except ValueError as err: raise OceanInvalidTransaction( f'Requesting {amount} tokens' f' to {address} failed with error: {err}' )
[ "def", "request_tokens", "(", "self", ",", "amount", ",", "account", ")", ":", "address", "=", "account", ".", "address", "try", ":", "tx_hash", "=", "self", ".", "send_transaction", "(", "'requestTokens'", ",", "(", "amount", ",", ")", ",", "transact", "=", "{", "'from'", ":", "address", ",", "'passphrase'", ":", "account", ".", "password", "}", ")", "logging", ".", "debug", "(", "f'{address} requests {amount} tokens, returning receipt'", ")", "try", ":", "receipt", "=", "Web3Provider", ".", "get_web3", "(", ")", ".", "eth", ".", "waitForTransactionReceipt", "(", "tx_hash", ",", "timeout", "=", "20", ")", "logging", ".", "debug", "(", "f'requestTokens receipt: {receipt}'", ")", "except", "Timeout", ":", "receipt", "=", "None", "if", "not", "receipt", ":", "return", "False", "if", "receipt", ".", "status", "==", "0", ":", "logging", ".", "warning", "(", "f'request tokens failed: Tx-receipt={receipt}'", ")", "logging", ".", "warning", "(", "f'request tokens failed: account {address}'", ")", "return", "False", "# check for emitted events:", "rfe", "=", "EventFilter", "(", "'RequestFrequencyExceeded'", ",", "self", ".", "events", ".", "RequestFrequencyExceeded", ",", "argument_filters", "=", "{", "'requester'", ":", "Web3Provider", ".", "get_web3", "(", ")", ".", "toBytes", "(", "hexstr", "=", "address", ")", "}", ",", "from_block", "=", "'latest'", ",", "to_block", "=", "'latest'", ",", ")", "logs", "=", "rfe", ".", "get_all_entries", "(", "max_tries", "=", "5", ")", "if", "logs", ":", "logging", ".", "warning", "(", "f'request tokens failed RequestFrequencyExceeded'", ")", "logging", ".", "info", "(", "f'RequestFrequencyExceeded event logs: {logs}'", ")", "return", "False", "rle", "=", "EventFilter", "(", "'RequestLimitExceeded'", ",", "self", ".", "events", ".", "RequestLimitExceeded", ",", "argument_filters", "=", "{", "'requester'", ":", "Web3Provider", ".", "get_web3", "(", ")", ".", "toBytes", "(", "hexstr", "=", "address", ")", "}", ",", "from_block", "=", "'latest'", ",", "to_block", "=", "'latest'", ",", ")", "logs", "=", "rle", ".", "get_all_entries", "(", "max_tries", "=", "5", ")", "if", "logs", ":", "logging", ".", "warning", "(", "f'request tokens failed RequestLimitExceeded'", ")", "logging", ".", "info", "(", "f'RequestLimitExceeded event logs: {logs}'", ")", "return", "False", "return", "True", "except", "ValueError", "as", "err", ":", "raise", "OceanInvalidTransaction", "(", "f'Requesting {amount} tokens'", "f' to {address} failed with error: {err}'", ")" ]
Request an amount of tokens for a particular address. This transaction has gas cost :param amount: Amount of tokens, int :param account: Account instance :raise OceanInvalidTransaction: Transaction failed :return: bool
[ "Request", "an", "amount", "of", "tokens", "for", "a", "particular", "address", ".", "This", "transaction", "has", "gas", "cost" ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/keeper/dispenser.py#L20-L87
train
235,304
oceanprotocol/squid-py
squid_py/keeper/keeper.py
Keeper.get_network_name
def get_network_name(network_id): """ Return the keeper network name based on the current ethereum network id. Return `development` for every network id that is not mapped. :param network_id: Network id, int :return: Network name, str """ if os.environ.get('KEEPER_NETWORK_NAME'): logging.debug('keeper network name overridden by an environment variable: {}'.format( os.environ.get('KEEPER_NETWORK_NAME'))) return os.environ.get('KEEPER_NETWORK_NAME') return Keeper._network_name_map.get(network_id, Keeper.DEFAULT_NETWORK_NAME)
python
def get_network_name(network_id): """ Return the keeper network name based on the current ethereum network id. Return `development` for every network id that is not mapped. :param network_id: Network id, int :return: Network name, str """ if os.environ.get('KEEPER_NETWORK_NAME'): logging.debug('keeper network name overridden by an environment variable: {}'.format( os.environ.get('KEEPER_NETWORK_NAME'))) return os.environ.get('KEEPER_NETWORK_NAME') return Keeper._network_name_map.get(network_id, Keeper.DEFAULT_NETWORK_NAME)
[ "def", "get_network_name", "(", "network_id", ")", ":", "if", "os", ".", "environ", ".", "get", "(", "'KEEPER_NETWORK_NAME'", ")", ":", "logging", ".", "debug", "(", "'keeper network name overridden by an environment variable: {}'", ".", "format", "(", "os", ".", "environ", ".", "get", "(", "'KEEPER_NETWORK_NAME'", ")", ")", ")", "return", "os", ".", "environ", ".", "get", "(", "'KEEPER_NETWORK_NAME'", ")", "return", "Keeper", ".", "_network_name_map", ".", "get", "(", "network_id", ",", "Keeper", ".", "DEFAULT_NETWORK_NAME", ")" ]
Return the keeper network name based on the current ethereum network id. Return `development` for every network id that is not mapped. :param network_id: Network id, int :return: Network name, str
[ "Return", "the", "keeper", "network", "name", "based", "on", "the", "current", "ethereum", "network", "id", ".", "Return", "development", "for", "every", "network", "id", "that", "is", "not", "mapped", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/keeper/keeper.py#L68-L81
train
235,305
oceanprotocol/squid-py
squid_py/keeper/keeper.py
Keeper.unlock_account
def unlock_account(account): """ Unlock the account. :param account: Account :return: """ return Web3Provider.get_web3().personal.unlockAccount(account.address, account.password)
python
def unlock_account(account): """ Unlock the account. :param account: Account :return: """ return Web3Provider.get_web3().personal.unlockAccount(account.address, account.password)
[ "def", "unlock_account", "(", "account", ")", ":", "return", "Web3Provider", ".", "get_web3", "(", ")", ".", "personal", ".", "unlockAccount", "(", "account", ".", "address", ",", "account", ".", "password", ")" ]
Unlock the account. :param account: Account :return:
[ "Unlock", "the", "account", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/keeper/keeper.py#L114-L121
train
235,306
oceanprotocol/squid-py
squid_py/keeper/keeper.py
Keeper.get_condition_name_by_address
def get_condition_name_by_address(self, address): """Return the condition name for a given address.""" if self.lock_reward_condition.address == address: return 'lockReward' elif self.access_secret_store_condition.address == address: return 'accessSecretStore' elif self.escrow_reward_condition.address == address: return 'escrowReward' else: logging.error(f'The current address {address} is not a condition address')
python
def get_condition_name_by_address(self, address): """Return the condition name for a given address.""" if self.lock_reward_condition.address == address: return 'lockReward' elif self.access_secret_store_condition.address == address: return 'accessSecretStore' elif self.escrow_reward_condition.address == address: return 'escrowReward' else: logging.error(f'The current address {address} is not a condition address')
[ "def", "get_condition_name_by_address", "(", "self", ",", "address", ")", ":", "if", "self", ".", "lock_reward_condition", ".", "address", "==", "address", ":", "return", "'lockReward'", "elif", "self", ".", "access_secret_store_condition", ".", "address", "==", "address", ":", "return", "'accessSecretStore'", "elif", "self", ".", "escrow_reward_condition", ".", "address", "==", "address", ":", "return", "'escrowReward'", "else", ":", "logging", ".", "error", "(", "f'The current address {address} is not a condition address'", ")" ]
Return the condition name for a given address.
[ "Return", "the", "condition", "name", "for", "a", "given", "address", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/keeper/keeper.py#L133-L142
train
235,307
oceanprotocol/squid-py
squid_py/brizo/brizo.py
Brizo.consume_service
def consume_service(service_agreement_id, service_endpoint, account, files, destination_folder, index=None): """ Call the brizo endpoint to get access to the different files that form the asset. :param service_agreement_id: Service Agreement Id, str :param service_endpoint: Url to consume, str :param account: Account instance of the consumer signing this agreement, hex-str :param files: List containing the files to be consumed, list :param index: Index of the document that is going to be downloaded, int :param destination_folder: Path, str :return: True if was downloaded, bool """ signature = Keeper.get_instance().sign_hash(service_agreement_id, account) if index is not None: assert isinstance(index, int), logger.error('index has to be an integer.') assert index >= 0, logger.error('index has to be 0 or a positive integer.') assert index < len(files), logger.error( 'index can not be bigger than the number of files') consume_url = Brizo._create_consume_url(service_endpoint, service_agreement_id, account, None, signature, index) logger.info(f'invoke consume endpoint with this url: {consume_url}') response = Brizo._http_client.get(consume_url, stream=True) file_name = Brizo._get_file_name(response) Brizo.write_file(response, destination_folder, file_name) else: for i, _file in enumerate(files): consume_url = Brizo._create_consume_url(service_endpoint, service_agreement_id, account, _file, signature, i) logger.info(f'invoke consume endpoint with this url: {consume_url}') response = Brizo._http_client.get(consume_url, stream=True) file_name = Brizo._get_file_name(response) Brizo.write_file(response, destination_folder, file_name)
python
def consume_service(service_agreement_id, service_endpoint, account, files, destination_folder, index=None): """ Call the brizo endpoint to get access to the different files that form the asset. :param service_agreement_id: Service Agreement Id, str :param service_endpoint: Url to consume, str :param account: Account instance of the consumer signing this agreement, hex-str :param files: List containing the files to be consumed, list :param index: Index of the document that is going to be downloaded, int :param destination_folder: Path, str :return: True if was downloaded, bool """ signature = Keeper.get_instance().sign_hash(service_agreement_id, account) if index is not None: assert isinstance(index, int), logger.error('index has to be an integer.') assert index >= 0, logger.error('index has to be 0 or a positive integer.') assert index < len(files), logger.error( 'index can not be bigger than the number of files') consume_url = Brizo._create_consume_url(service_endpoint, service_agreement_id, account, None, signature, index) logger.info(f'invoke consume endpoint with this url: {consume_url}') response = Brizo._http_client.get(consume_url, stream=True) file_name = Brizo._get_file_name(response) Brizo.write_file(response, destination_folder, file_name) else: for i, _file in enumerate(files): consume_url = Brizo._create_consume_url(service_endpoint, service_agreement_id, account, _file, signature, i) logger.info(f'invoke consume endpoint with this url: {consume_url}') response = Brizo._http_client.get(consume_url, stream=True) file_name = Brizo._get_file_name(response) Brizo.write_file(response, destination_folder, file_name)
[ "def", "consume_service", "(", "service_agreement_id", ",", "service_endpoint", ",", "account", ",", "files", ",", "destination_folder", ",", "index", "=", "None", ")", ":", "signature", "=", "Keeper", ".", "get_instance", "(", ")", ".", "sign_hash", "(", "service_agreement_id", ",", "account", ")", "if", "index", "is", "not", "None", ":", "assert", "isinstance", "(", "index", ",", "int", ")", ",", "logger", ".", "error", "(", "'index has to be an integer.'", ")", "assert", "index", ">=", "0", ",", "logger", ".", "error", "(", "'index has to be 0 or a positive integer.'", ")", "assert", "index", "<", "len", "(", "files", ")", ",", "logger", ".", "error", "(", "'index can not be bigger than the number of files'", ")", "consume_url", "=", "Brizo", ".", "_create_consume_url", "(", "service_endpoint", ",", "service_agreement_id", ",", "account", ",", "None", ",", "signature", ",", "index", ")", "logger", ".", "info", "(", "f'invoke consume endpoint with this url: {consume_url}'", ")", "response", "=", "Brizo", ".", "_http_client", ".", "get", "(", "consume_url", ",", "stream", "=", "True", ")", "file_name", "=", "Brizo", ".", "_get_file_name", "(", "response", ")", "Brizo", ".", "write_file", "(", "response", ",", "destination_folder", ",", "file_name", ")", "else", ":", "for", "i", ",", "_file", "in", "enumerate", "(", "files", ")", ":", "consume_url", "=", "Brizo", ".", "_create_consume_url", "(", "service_endpoint", ",", "service_agreement_id", ",", "account", ",", "_file", ",", "signature", ",", "i", ")", "logger", ".", "info", "(", "f'invoke consume endpoint with this url: {consume_url}'", ")", "response", "=", "Brizo", ".", "_http_client", ".", "get", "(", "consume_url", ",", "stream", "=", "True", ")", "file_name", "=", "Brizo", ".", "_get_file_name", "(", "response", ")", "Brizo", ".", "write_file", "(", "response", ",", "destination_folder", ",", "file_name", ")" ]
Call the brizo endpoint to get access to the different files that form the asset. :param service_agreement_id: Service Agreement Id, str :param service_endpoint: Url to consume, str :param account: Account instance of the consumer signing this agreement, hex-str :param files: List containing the files to be consumed, list :param index: Index of the document that is going to be downloaded, int :param destination_folder: Path, str :return: True if was downloaded, bool
[ "Call", "the", "brizo", "endpoint", "to", "get", "access", "to", "the", "different", "files", "that", "form", "the", "asset", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/brizo/brizo.py#L99-L132
train
235,308
oceanprotocol/squid-py
squid_py/brizo/brizo.py
Brizo._prepare_consume_payload
def _prepare_consume_payload(did, service_agreement_id, service_definition_id, signature, consumer_address): """Prepare a payload to send to `Brizo`. :param did: DID, str :param service_agreement_id: Service Agreement Id, str :param service_definition_id: identifier of the service inside the asset DDO, str service in the DDO (DID document) :param signature: the signed agreement message hash which includes conditions and their parameters values and other details of the agreement, str :param consumer_address: ethereum address of the consumer signing this agreement, hex-str :return: dict """ return json.dumps({ 'did': did, 'serviceAgreementId': service_agreement_id, ServiceAgreement.SERVICE_DEFINITION_ID: service_definition_id, 'signature': signature, 'consumerAddress': consumer_address })
python
def _prepare_consume_payload(did, service_agreement_id, service_definition_id, signature, consumer_address): """Prepare a payload to send to `Brizo`. :param did: DID, str :param service_agreement_id: Service Agreement Id, str :param service_definition_id: identifier of the service inside the asset DDO, str service in the DDO (DID document) :param signature: the signed agreement message hash which includes conditions and their parameters values and other details of the agreement, str :param consumer_address: ethereum address of the consumer signing this agreement, hex-str :return: dict """ return json.dumps({ 'did': did, 'serviceAgreementId': service_agreement_id, ServiceAgreement.SERVICE_DEFINITION_ID: service_definition_id, 'signature': signature, 'consumerAddress': consumer_address })
[ "def", "_prepare_consume_payload", "(", "did", ",", "service_agreement_id", ",", "service_definition_id", ",", "signature", ",", "consumer_address", ")", ":", "return", "json", ".", "dumps", "(", "{", "'did'", ":", "did", ",", "'serviceAgreementId'", ":", "service_agreement_id", ",", "ServiceAgreement", ".", "SERVICE_DEFINITION_ID", ":", "service_definition_id", ",", "'signature'", ":", "signature", ",", "'consumerAddress'", ":", "consumer_address", "}", ")" ]
Prepare a payload to send to `Brizo`. :param did: DID, str :param service_agreement_id: Service Agreement Id, str :param service_definition_id: identifier of the service inside the asset DDO, str service in the DDO (DID document) :param signature: the signed agreement message hash which includes conditions and their parameters values and other details of the agreement, str :param consumer_address: ethereum address of the consumer signing this agreement, hex-str :return: dict
[ "Prepare", "a", "payload", "to", "send", "to", "Brizo", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/brizo/brizo.py#L135-L154
train
235,309
oceanprotocol/squid-py
squid_py/brizo/brizo.py
Brizo.get_brizo_url
def get_brizo_url(config): """ Return the Brizo component url. :param config: Config :return: Url, str """ brizo_url = 'http://localhost:8030' if config.has_option('resources', 'brizo.url'): brizo_url = config.get('resources', 'brizo.url') or brizo_url brizo_path = '/api/v1/brizo' return f'{brizo_url}{brizo_path}'
python
def get_brizo_url(config): """ Return the Brizo component url. :param config: Config :return: Url, str """ brizo_url = 'http://localhost:8030' if config.has_option('resources', 'brizo.url'): brizo_url = config.get('resources', 'brizo.url') or brizo_url brizo_path = '/api/v1/brizo' return f'{brizo_url}{brizo_path}'
[ "def", "get_brizo_url", "(", "config", ")", ":", "brizo_url", "=", "'http://localhost:8030'", "if", "config", ".", "has_option", "(", "'resources'", ",", "'brizo.url'", ")", ":", "brizo_url", "=", "config", ".", "get", "(", "'resources'", ",", "'brizo.url'", ")", "or", "brizo_url", "brizo_path", "=", "'/api/v1/brizo'", "return", "f'{brizo_url}{brizo_path}'" ]
Return the Brizo component url. :param config: Config :return: Url, str
[ "Return", "the", "Brizo", "component", "url", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/brizo/brizo.py#L157-L169
train
235,310
oceanprotocol/squid-py
squid_py/ddo/metadata.py
Metadata.validate
def validate(metadata): """Validator of the metadata composition :param metadata: conforming to the Metadata accepted by Ocean Protocol, dict :return: bool """ # validate required sections and their sub items for section_key in Metadata.REQUIRED_SECTIONS: if section_key not in metadata or not metadata[section_key] or not isinstance( metadata[section_key], dict): return False section = Metadata.MAIN_SECTIONS[section_key] section_metadata = metadata[section_key] for subkey in section.REQUIRED_VALUES_KEYS: if subkey not in section_metadata or section_metadata[subkey] is None: return False return True
python
def validate(metadata): """Validator of the metadata composition :param metadata: conforming to the Metadata accepted by Ocean Protocol, dict :return: bool """ # validate required sections and their sub items for section_key in Metadata.REQUIRED_SECTIONS: if section_key not in metadata or not metadata[section_key] or not isinstance( metadata[section_key], dict): return False section = Metadata.MAIN_SECTIONS[section_key] section_metadata = metadata[section_key] for subkey in section.REQUIRED_VALUES_KEYS: if subkey not in section_metadata or section_metadata[subkey] is None: return False return True
[ "def", "validate", "(", "metadata", ")", ":", "# validate required sections and their sub items", "for", "section_key", "in", "Metadata", ".", "REQUIRED_SECTIONS", ":", "if", "section_key", "not", "in", "metadata", "or", "not", "metadata", "[", "section_key", "]", "or", "not", "isinstance", "(", "metadata", "[", "section_key", "]", ",", "dict", ")", ":", "return", "False", "section", "=", "Metadata", ".", "MAIN_SECTIONS", "[", "section_key", "]", "section_metadata", "=", "metadata", "[", "section_key", "]", "for", "subkey", "in", "section", ".", "REQUIRED_VALUES_KEYS", ":", "if", "subkey", "not", "in", "section_metadata", "or", "section_metadata", "[", "subkey", "]", "is", "None", ":", "return", "False", "return", "True" ]
Validator of the metadata composition :param metadata: conforming to the Metadata accepted by Ocean Protocol, dict :return: bool
[ "Validator", "of", "the", "metadata", "composition" ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ddo/metadata.py#L127-L145
train
235,311
oceanprotocol/squid-py
squid_py/ddo/metadata.py
Metadata.get_example
def get_example(): """Retrieve an example of the metadata""" example = dict() for section_key, section in Metadata.MAIN_SECTIONS.items(): example[section_key] = section.EXAMPLE.copy() return example
python
def get_example(): """Retrieve an example of the metadata""" example = dict() for section_key, section in Metadata.MAIN_SECTIONS.items(): example[section_key] = section.EXAMPLE.copy() return example
[ "def", "get_example", "(", ")", ":", "example", "=", "dict", "(", ")", "for", "section_key", ",", "section", "in", "Metadata", ".", "MAIN_SECTIONS", ".", "items", "(", ")", ":", "example", "[", "section_key", "]", "=", "section", ".", "EXAMPLE", ".", "copy", "(", ")", "return", "example" ]
Retrieve an example of the metadata
[ "Retrieve", "an", "example", "of", "the", "metadata" ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ddo/metadata.py#L148-L154
train
235,312
oceanprotocol/squid-py
squid_py/secret_store/secret_store.py
SecretStore.encrypt_document
def encrypt_document(self, document_id, content, threshold=0): """ encrypt string data using the DID as an secret store id, if secret store is enabled then return the result from secret store encryption None for no encryption performed :param document_id: hex str id of document to use for encryption session :param content: str to be encrypted :param threshold: int :return: None -- if encryption failed hex str -- the encrypted document """ return self._secret_store_client(self._account).publish_document( remove_0x_prefix(document_id), content, threshold )
python
def encrypt_document(self, document_id, content, threshold=0): """ encrypt string data using the DID as an secret store id, if secret store is enabled then return the result from secret store encryption None for no encryption performed :param document_id: hex str id of document to use for encryption session :param content: str to be encrypted :param threshold: int :return: None -- if encryption failed hex str -- the encrypted document """ return self._secret_store_client(self._account).publish_document( remove_0x_prefix(document_id), content, threshold )
[ "def", "encrypt_document", "(", "self", ",", "document_id", ",", "content", ",", "threshold", "=", "0", ")", ":", "return", "self", ".", "_secret_store_client", "(", "self", ".", "_account", ")", ".", "publish_document", "(", "remove_0x_prefix", "(", "document_id", ")", ",", "content", ",", "threshold", ")" ]
encrypt string data using the DID as an secret store id, if secret store is enabled then return the result from secret store encryption None for no encryption performed :param document_id: hex str id of document to use for encryption session :param content: str to be encrypted :param threshold: int :return: None -- if encryption failed hex str -- the encrypted document
[ "encrypt", "string", "data", "using", "the", "DID", "as", "an", "secret", "store", "id", "if", "secret", "store", "is", "enabled", "then", "return", "the", "result", "from", "secret", "store", "encryption" ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/secret_store/secret_store.py#L50-L66
train
235,313
oceanprotocol/squid-py
squid_py/assets/asset_consumer.py
AssetConsumer.download
def download(service_agreement_id, service_definition_id, ddo, consumer_account, destination, brizo, secret_store, index=None): """ Download asset data files or result files from a compute job. :param service_agreement_id: Service agreement id, str :param service_definition_id: identifier of the service inside the asset DDO, str :param ddo: DDO :param consumer_account: Account instance of the consumer :param destination: Path, str :param brizo: Brizo instance :param secret_store: SecretStore instance :param index: Index of the document that is going to be downloaded, int :return: Asset folder path, str """ did = ddo.did encrypted_files = ddo.metadata['base']['encryptedFiles'] encrypted_files = ( encrypted_files if isinstance(encrypted_files, str) else encrypted_files[0] ) sa = ServiceAgreement.from_ddo(service_definition_id, ddo) consume_url = sa.consume_endpoint if not consume_url: logger.error( 'Consume asset failed, service definition is missing the "serviceEndpoint".') raise AssertionError( 'Consume asset failed, service definition is missing the "serviceEndpoint".') if ddo.get_service('Authorization'): secret_store_service = ddo.get_service(service_type=ServiceTypes.AUTHORIZATION) secret_store_url = secret_store_service.endpoints.service secret_store.set_secret_store_url(secret_store_url) # decrypt the contentUrls decrypted_content_urls = json.loads( secret_store.decrypt_document(did_to_id(did), encrypted_files) ) if isinstance(decrypted_content_urls, str): decrypted_content_urls = [decrypted_content_urls] logger.debug(f'got decrypted contentUrls: {decrypted_content_urls}') if not os.path.isabs(destination): destination = os.path.abspath(destination) if not os.path.exists(destination): os.mkdir(destination) asset_folder = os.path.join(destination, f'datafile.{did_to_id(did)}.{sa.service_definition_id}') if not os.path.exists(asset_folder): os.mkdir(asset_folder) if index is not None: assert isinstance(index, int), logger.error('index has to be an integer.') assert index >= 0, logger.error('index has to be 0 or a positive integer.') assert index < len(decrypted_content_urls), logger.error( 'index can not be bigger than the number of files') brizo.consume_service( service_agreement_id, consume_url, consumer_account, decrypted_content_urls, asset_folder, index ) return asset_folder
python
def download(service_agreement_id, service_definition_id, ddo, consumer_account, destination, brizo, secret_store, index=None): """ Download asset data files or result files from a compute job. :param service_agreement_id: Service agreement id, str :param service_definition_id: identifier of the service inside the asset DDO, str :param ddo: DDO :param consumer_account: Account instance of the consumer :param destination: Path, str :param brizo: Brizo instance :param secret_store: SecretStore instance :param index: Index of the document that is going to be downloaded, int :return: Asset folder path, str """ did = ddo.did encrypted_files = ddo.metadata['base']['encryptedFiles'] encrypted_files = ( encrypted_files if isinstance(encrypted_files, str) else encrypted_files[0] ) sa = ServiceAgreement.from_ddo(service_definition_id, ddo) consume_url = sa.consume_endpoint if not consume_url: logger.error( 'Consume asset failed, service definition is missing the "serviceEndpoint".') raise AssertionError( 'Consume asset failed, service definition is missing the "serviceEndpoint".') if ddo.get_service('Authorization'): secret_store_service = ddo.get_service(service_type=ServiceTypes.AUTHORIZATION) secret_store_url = secret_store_service.endpoints.service secret_store.set_secret_store_url(secret_store_url) # decrypt the contentUrls decrypted_content_urls = json.loads( secret_store.decrypt_document(did_to_id(did), encrypted_files) ) if isinstance(decrypted_content_urls, str): decrypted_content_urls = [decrypted_content_urls] logger.debug(f'got decrypted contentUrls: {decrypted_content_urls}') if not os.path.isabs(destination): destination = os.path.abspath(destination) if not os.path.exists(destination): os.mkdir(destination) asset_folder = os.path.join(destination, f'datafile.{did_to_id(did)}.{sa.service_definition_id}') if not os.path.exists(asset_folder): os.mkdir(asset_folder) if index is not None: assert isinstance(index, int), logger.error('index has to be an integer.') assert index >= 0, logger.error('index has to be 0 or a positive integer.') assert index < len(decrypted_content_urls), logger.error( 'index can not be bigger than the number of files') brizo.consume_service( service_agreement_id, consume_url, consumer_account, decrypted_content_urls, asset_folder, index ) return asset_folder
[ "def", "download", "(", "service_agreement_id", ",", "service_definition_id", ",", "ddo", ",", "consumer_account", ",", "destination", ",", "brizo", ",", "secret_store", ",", "index", "=", "None", ")", ":", "did", "=", "ddo", ".", "did", "encrypted_files", "=", "ddo", ".", "metadata", "[", "'base'", "]", "[", "'encryptedFiles'", "]", "encrypted_files", "=", "(", "encrypted_files", "if", "isinstance", "(", "encrypted_files", ",", "str", ")", "else", "encrypted_files", "[", "0", "]", ")", "sa", "=", "ServiceAgreement", ".", "from_ddo", "(", "service_definition_id", ",", "ddo", ")", "consume_url", "=", "sa", ".", "consume_endpoint", "if", "not", "consume_url", ":", "logger", ".", "error", "(", "'Consume asset failed, service definition is missing the \"serviceEndpoint\".'", ")", "raise", "AssertionError", "(", "'Consume asset failed, service definition is missing the \"serviceEndpoint\".'", ")", "if", "ddo", ".", "get_service", "(", "'Authorization'", ")", ":", "secret_store_service", "=", "ddo", ".", "get_service", "(", "service_type", "=", "ServiceTypes", ".", "AUTHORIZATION", ")", "secret_store_url", "=", "secret_store_service", ".", "endpoints", ".", "service", "secret_store", ".", "set_secret_store_url", "(", "secret_store_url", ")", "# decrypt the contentUrls", "decrypted_content_urls", "=", "json", ".", "loads", "(", "secret_store", ".", "decrypt_document", "(", "did_to_id", "(", "did", ")", ",", "encrypted_files", ")", ")", "if", "isinstance", "(", "decrypted_content_urls", ",", "str", ")", ":", "decrypted_content_urls", "=", "[", "decrypted_content_urls", "]", "logger", ".", "debug", "(", "f'got decrypted contentUrls: {decrypted_content_urls}'", ")", "if", "not", "os", ".", "path", ".", "isabs", "(", "destination", ")", ":", "destination", "=", "os", ".", "path", ".", "abspath", "(", "destination", ")", "if", "not", "os", ".", "path", ".", "exists", "(", "destination", ")", ":", "os", ".", "mkdir", "(", "destination", ")", "asset_folder", "=", "os", ".", "path", ".", "join", "(", "destination", ",", "f'datafile.{did_to_id(did)}.{sa.service_definition_id}'", ")", "if", "not", "os", ".", "path", ".", "exists", "(", "asset_folder", ")", ":", "os", ".", "mkdir", "(", "asset_folder", ")", "if", "index", "is", "not", "None", ":", "assert", "isinstance", "(", "index", ",", "int", ")", ",", "logger", ".", "error", "(", "'index has to be an integer.'", ")", "assert", "index", ">=", "0", ",", "logger", ".", "error", "(", "'index has to be 0 or a positive integer.'", ")", "assert", "index", "<", "len", "(", "decrypted_content_urls", ")", ",", "logger", ".", "error", "(", "'index can not be bigger than the number of files'", ")", "brizo", ".", "consume_service", "(", "service_agreement_id", ",", "consume_url", ",", "consumer_account", ",", "decrypted_content_urls", ",", "asset_folder", ",", "index", ")", "return", "asset_folder" ]
Download asset data files or result files from a compute job. :param service_agreement_id: Service agreement id, str :param service_definition_id: identifier of the service inside the asset DDO, str :param ddo: DDO :param consumer_account: Account instance of the consumer :param destination: Path, str :param brizo: Brizo instance :param secret_store: SecretStore instance :param index: Index of the document that is going to be downloaded, int :return: Asset folder path, str
[ "Download", "asset", "data", "files", "or", "result", "files", "from", "a", "compute", "job", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/assets/asset_consumer.py#L20-L85
train
235,314
oceanprotocol/squid-py
squid_py/ddo/public_key_base.py
PublicKeyBase.set_key_value
def set_key_value(self, value, store_type=PUBLIC_KEY_STORE_TYPE_BASE64): """Set the key value based on it's storage type.""" if isinstance(value, dict): if PUBLIC_KEY_STORE_TYPE_HEX in value: self.set_key_value(value[PUBLIC_KEY_STORE_TYPE_HEX], PUBLIC_KEY_STORE_TYPE_HEX) elif PUBLIC_KEY_STORE_TYPE_BASE64 in value: self.set_key_value(value[PUBLIC_KEY_STORE_TYPE_BASE64], PUBLIC_KEY_STORE_TYPE_BASE64) elif PUBLIC_KEY_STORE_TYPE_BASE85 in value: self.set_key_value(value[PUBLIC_KEY_STORE_TYPE_BASE85], PUBLIC_KEY_STORE_TYPE_BASE85) elif PUBLIC_KEY_STORE_TYPE_JWK in value: self.set_key_value(value[PUBLIC_KEY_STORE_TYPE_JWK], PUBLIC_KEY_STORE_TYPE_JWK) elif PUBLIC_KEY_STORE_TYPE_PEM in value: self.set_key_value(value[PUBLIC_KEY_STORE_TYPE_PEM], PUBLIC_KEY_STORE_TYPE_PEM) else: self._value = value self._store_type = store_type
python
def set_key_value(self, value, store_type=PUBLIC_KEY_STORE_TYPE_BASE64): """Set the key value based on it's storage type.""" if isinstance(value, dict): if PUBLIC_KEY_STORE_TYPE_HEX in value: self.set_key_value(value[PUBLIC_KEY_STORE_TYPE_HEX], PUBLIC_KEY_STORE_TYPE_HEX) elif PUBLIC_KEY_STORE_TYPE_BASE64 in value: self.set_key_value(value[PUBLIC_KEY_STORE_TYPE_BASE64], PUBLIC_KEY_STORE_TYPE_BASE64) elif PUBLIC_KEY_STORE_TYPE_BASE85 in value: self.set_key_value(value[PUBLIC_KEY_STORE_TYPE_BASE85], PUBLIC_KEY_STORE_TYPE_BASE85) elif PUBLIC_KEY_STORE_TYPE_JWK in value: self.set_key_value(value[PUBLIC_KEY_STORE_TYPE_JWK], PUBLIC_KEY_STORE_TYPE_JWK) elif PUBLIC_KEY_STORE_TYPE_PEM in value: self.set_key_value(value[PUBLIC_KEY_STORE_TYPE_PEM], PUBLIC_KEY_STORE_TYPE_PEM) else: self._value = value self._store_type = store_type
[ "def", "set_key_value", "(", "self", ",", "value", ",", "store_type", "=", "PUBLIC_KEY_STORE_TYPE_BASE64", ")", ":", "if", "isinstance", "(", "value", ",", "dict", ")", ":", "if", "PUBLIC_KEY_STORE_TYPE_HEX", "in", "value", ":", "self", ".", "set_key_value", "(", "value", "[", "PUBLIC_KEY_STORE_TYPE_HEX", "]", ",", "PUBLIC_KEY_STORE_TYPE_HEX", ")", "elif", "PUBLIC_KEY_STORE_TYPE_BASE64", "in", "value", ":", "self", ".", "set_key_value", "(", "value", "[", "PUBLIC_KEY_STORE_TYPE_BASE64", "]", ",", "PUBLIC_KEY_STORE_TYPE_BASE64", ")", "elif", "PUBLIC_KEY_STORE_TYPE_BASE85", "in", "value", ":", "self", ".", "set_key_value", "(", "value", "[", "PUBLIC_KEY_STORE_TYPE_BASE85", "]", ",", "PUBLIC_KEY_STORE_TYPE_BASE85", ")", "elif", "PUBLIC_KEY_STORE_TYPE_JWK", "in", "value", ":", "self", ".", "set_key_value", "(", "value", "[", "PUBLIC_KEY_STORE_TYPE_JWK", "]", ",", "PUBLIC_KEY_STORE_TYPE_JWK", ")", "elif", "PUBLIC_KEY_STORE_TYPE_PEM", "in", "value", ":", "self", ".", "set_key_value", "(", "value", "[", "PUBLIC_KEY_STORE_TYPE_PEM", "]", ",", "PUBLIC_KEY_STORE_TYPE_PEM", ")", "else", ":", "self", ".", "_value", "=", "value", "self", ".", "_store_type", "=", "store_type" ]
Set the key value based on it's storage type.
[ "Set", "the", "key", "value", "based", "on", "it", "s", "storage", "type", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ddo/public_key_base.py#L61-L78
train
235,315
oceanprotocol/squid-py
squid_py/ddo/public_key_base.py
PublicKeyBase.set_encode_key_value
def set_encode_key_value(self, value, store_type): """Save the key value base on it's storage type.""" self._store_type = store_type if store_type == PUBLIC_KEY_STORE_TYPE_HEX: self._value = value.hex() elif store_type == PUBLIC_KEY_STORE_TYPE_BASE64: self._value = b64encode(value).decode() elif store_type == PUBLIC_KEY_STORE_TYPE_BASE85: self._value = b85encode(value).decode() elif store_type == PUBLIC_KEY_STORE_TYPE_JWK: # TODO: need to decide on which jwk library to import? raise NotImplementedError else: self._value = value return value
python
def set_encode_key_value(self, value, store_type): """Save the key value base on it's storage type.""" self._store_type = store_type if store_type == PUBLIC_KEY_STORE_TYPE_HEX: self._value = value.hex() elif store_type == PUBLIC_KEY_STORE_TYPE_BASE64: self._value = b64encode(value).decode() elif store_type == PUBLIC_KEY_STORE_TYPE_BASE85: self._value = b85encode(value).decode() elif store_type == PUBLIC_KEY_STORE_TYPE_JWK: # TODO: need to decide on which jwk library to import? raise NotImplementedError else: self._value = value return value
[ "def", "set_encode_key_value", "(", "self", ",", "value", ",", "store_type", ")", ":", "self", ".", "_store_type", "=", "store_type", "if", "store_type", "==", "PUBLIC_KEY_STORE_TYPE_HEX", ":", "self", ".", "_value", "=", "value", ".", "hex", "(", ")", "elif", "store_type", "==", "PUBLIC_KEY_STORE_TYPE_BASE64", ":", "self", ".", "_value", "=", "b64encode", "(", "value", ")", ".", "decode", "(", ")", "elif", "store_type", "==", "PUBLIC_KEY_STORE_TYPE_BASE85", ":", "self", ".", "_value", "=", "b85encode", "(", "value", ")", ".", "decode", "(", ")", "elif", "store_type", "==", "PUBLIC_KEY_STORE_TYPE_JWK", ":", "# TODO: need to decide on which jwk library to import?", "raise", "NotImplementedError", "else", ":", "self", ".", "_value", "=", "value", "return", "value" ]
Save the key value base on it's storage type.
[ "Save", "the", "key", "value", "base", "on", "it", "s", "storage", "type", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ddo/public_key_base.py#L80-L94
train
235,316
oceanprotocol/squid-py
squid_py/ddo/public_key_base.py
PublicKeyBase.get_decode_value
def get_decode_value(self): """Return the key value based on it's storage type.""" if self._store_type == PUBLIC_KEY_STORE_TYPE_HEX: value = bytes.fromhex(self._value) elif self._store_type == PUBLIC_KEY_STORE_TYPE_BASE64: value = b64decode(self._value) elif self._store_type == PUBLIC_KEY_STORE_TYPE_BASE85: value = b85decode(self._value) elif self._store_type == PUBLIC_KEY_STORE_TYPE_JWK: # TODO: need to decide on which jwk library to import? raise NotImplementedError else: value = self._value return value
python
def get_decode_value(self): """Return the key value based on it's storage type.""" if self._store_type == PUBLIC_KEY_STORE_TYPE_HEX: value = bytes.fromhex(self._value) elif self._store_type == PUBLIC_KEY_STORE_TYPE_BASE64: value = b64decode(self._value) elif self._store_type == PUBLIC_KEY_STORE_TYPE_BASE85: value = b85decode(self._value) elif self._store_type == PUBLIC_KEY_STORE_TYPE_JWK: # TODO: need to decide on which jwk library to import? raise NotImplementedError else: value = self._value return value
[ "def", "get_decode_value", "(", "self", ")", ":", "if", "self", ".", "_store_type", "==", "PUBLIC_KEY_STORE_TYPE_HEX", ":", "value", "=", "bytes", ".", "fromhex", "(", "self", ".", "_value", ")", "elif", "self", ".", "_store_type", "==", "PUBLIC_KEY_STORE_TYPE_BASE64", ":", "value", "=", "b64decode", "(", "self", ".", "_value", ")", "elif", "self", ".", "_store_type", "==", "PUBLIC_KEY_STORE_TYPE_BASE85", ":", "value", "=", "b85decode", "(", "self", ".", "_value", ")", "elif", "self", ".", "_store_type", "==", "PUBLIC_KEY_STORE_TYPE_JWK", ":", "# TODO: need to decide on which jwk library to import?", "raise", "NotImplementedError", "else", ":", "value", "=", "self", ".", "_value", "return", "value" ]
Return the key value based on it's storage type.
[ "Return", "the", "key", "value", "based", "on", "it", "s", "storage", "type", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ddo/public_key_base.py#L96-L109
train
235,317
oceanprotocol/squid-py
squid_py/ddo/public_key_base.py
PublicKeyBase.as_text
def as_text(self, is_pretty=False): """Return the key as JSON text.""" values = {'id': self._id, 'type': self._type} if self._owner: values['owner'] = self._owner if is_pretty: return json.dumps(values, indent=4, separators=(',', ': ')) return json.dumps(values)
python
def as_text(self, is_pretty=False): """Return the key as JSON text.""" values = {'id': self._id, 'type': self._type} if self._owner: values['owner'] = self._owner if is_pretty: return json.dumps(values, indent=4, separators=(',', ': ')) return json.dumps(values)
[ "def", "as_text", "(", "self", ",", "is_pretty", "=", "False", ")", ":", "values", "=", "{", "'id'", ":", "self", ".", "_id", ",", "'type'", ":", "self", ".", "_type", "}", "if", "self", ".", "_owner", ":", "values", "[", "'owner'", "]", "=", "self", ".", "_owner", "if", "is_pretty", ":", "return", "json", ".", "dumps", "(", "values", ",", "indent", "=", "4", ",", "separators", "=", "(", "','", ",", "': '", ")", ")", "return", "json", ".", "dumps", "(", "values", ")" ]
Return the key as JSON text.
[ "Return", "the", "key", "as", "JSON", "text", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ddo/public_key_base.py#L115-L124
train
235,318
oceanprotocol/squid-py
squid_py/ddo/public_key_base.py
PublicKeyBase.as_dictionary
def as_dictionary(self): """Return the key as a python dictionary.""" values = { 'id': self._id, 'type': self._type } if self._owner: values['owner'] = self._owner return values
python
def as_dictionary(self): """Return the key as a python dictionary.""" values = { 'id': self._id, 'type': self._type } if self._owner: values['owner'] = self._owner return values
[ "def", "as_dictionary", "(", "self", ")", ":", "values", "=", "{", "'id'", ":", "self", ".", "_id", ",", "'type'", ":", "self", ".", "_type", "}", "if", "self", ".", "_owner", ":", "values", "[", "'owner'", "]", "=", "self", ".", "_owner", "return", "values" ]
Return the key as a python dictionary.
[ "Return", "the", "key", "as", "a", "python", "dictionary", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ddo/public_key_base.py#L126-L135
train
235,319
oceanprotocol/squid-py
squid_py/keeper/agreements/agreement_manager.py
AgreementStoreManager.get_agreement
def get_agreement(self, agreement_id): """ Retrieve the agreement for a agreement_id. :param agreement_id: id of the agreement, hex str :return: the agreement attributes. """ agreement = self.contract_concise.getAgreement(agreement_id) if agreement and len(agreement) == 6: agreement = AgreementValues(*agreement) did = add_0x_prefix(agreement.did.hex()) cond_ids = [add_0x_prefix(_id.hex()) for _id in agreement.condition_ids] return AgreementValues( did, agreement.owner, agreement.template_id, cond_ids, agreement.updated_by, agreement.block_number_updated ) return None
python
def get_agreement(self, agreement_id): """ Retrieve the agreement for a agreement_id. :param agreement_id: id of the agreement, hex str :return: the agreement attributes. """ agreement = self.contract_concise.getAgreement(agreement_id) if agreement and len(agreement) == 6: agreement = AgreementValues(*agreement) did = add_0x_prefix(agreement.did.hex()) cond_ids = [add_0x_prefix(_id.hex()) for _id in agreement.condition_ids] return AgreementValues( did, agreement.owner, agreement.template_id, cond_ids, agreement.updated_by, agreement.block_number_updated ) return None
[ "def", "get_agreement", "(", "self", ",", "agreement_id", ")", ":", "agreement", "=", "self", ".", "contract_concise", ".", "getAgreement", "(", "agreement_id", ")", "if", "agreement", "and", "len", "(", "agreement", ")", "==", "6", ":", "agreement", "=", "AgreementValues", "(", "*", "agreement", ")", "did", "=", "add_0x_prefix", "(", "agreement", ".", "did", ".", "hex", "(", ")", ")", "cond_ids", "=", "[", "add_0x_prefix", "(", "_id", ".", "hex", "(", ")", ")", "for", "_id", "in", "agreement", ".", "condition_ids", "]", "return", "AgreementValues", "(", "did", ",", "agreement", ".", "owner", ",", "agreement", ".", "template_id", ",", "cond_ids", ",", "agreement", ".", "updated_by", ",", "agreement", ".", "block_number_updated", ")", "return", "None" ]
Retrieve the agreement for a agreement_id. :param agreement_id: id of the agreement, hex str :return: the agreement attributes.
[ "Retrieve", "the", "agreement", "for", "a", "agreement_id", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/keeper/agreements/agreement_manager.py#L48-L70
train
235,320
oceanprotocol/squid-py
squid_py/keeper/contract_handler.py
ContractHandler._load
def _load(contract_name): """Retrieve the contract instance for `contract_name` that represent the smart contract in the keeper network. :param contract_name: str name of the solidity keeper contract without the network name. :return: web3.eth.Contract instance """ contract_definition = ContractHandler.get_contract_dict_by_name(contract_name) address = Web3Provider.get_web3().toChecksumAddress(contract_definition['address']) abi = contract_definition['abi'] contract = Web3Provider.get_web3().eth.contract(address=address, abi=abi) ContractHandler._contracts[contract_name] = (contract, ConciseContract(contract)) return ContractHandler._contracts[contract_name]
python
def _load(contract_name): """Retrieve the contract instance for `contract_name` that represent the smart contract in the keeper network. :param contract_name: str name of the solidity keeper contract without the network name. :return: web3.eth.Contract instance """ contract_definition = ContractHandler.get_contract_dict_by_name(contract_name) address = Web3Provider.get_web3().toChecksumAddress(contract_definition['address']) abi = contract_definition['abi'] contract = Web3Provider.get_web3().eth.contract(address=address, abi=abi) ContractHandler._contracts[contract_name] = (contract, ConciseContract(contract)) return ContractHandler._contracts[contract_name]
[ "def", "_load", "(", "contract_name", ")", ":", "contract_definition", "=", "ContractHandler", ".", "get_contract_dict_by_name", "(", "contract_name", ")", "address", "=", "Web3Provider", ".", "get_web3", "(", ")", ".", "toChecksumAddress", "(", "contract_definition", "[", "'address'", "]", ")", "abi", "=", "contract_definition", "[", "'abi'", "]", "contract", "=", "Web3Provider", ".", "get_web3", "(", ")", ".", "eth", ".", "contract", "(", "address", "=", "address", ",", "abi", "=", "abi", ")", "ContractHandler", ".", "_contracts", "[", "contract_name", "]", "=", "(", "contract", ",", "ConciseContract", "(", "contract", ")", ")", "return", "ContractHandler", ".", "_contracts", "[", "contract_name", "]" ]
Retrieve the contract instance for `contract_name` that represent the smart contract in the keeper network. :param contract_name: str name of the solidity keeper contract without the network name. :return: web3.eth.Contract instance
[ "Retrieve", "the", "contract", "instance", "for", "contract_name", "that", "represent", "the", "smart", "contract", "in", "the", "keeper", "network", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/keeper/contract_handler.py#L70-L82
train
235,321
oceanprotocol/squid-py
squid_py/keeper/contract_handler.py
ContractHandler.get_contract_dict_by_name
def get_contract_dict_by_name(contract_name): """ Retrieve the Contract instance for a given contract name. :param contract_name: str :return: the smart contract's definition from the json abi file, dict """ network_name = Keeper.get_network_name(Keeper.get_network_id()).lower() artifacts_path = ConfigProvider.get_config().keeper_path # file_name = '{}.{}.json'.format(contract_name, network_name) # path = os.path.join(keeper.artifacts_path, file_name) path = ContractHandler._get_contract_file_path( artifacts_path, contract_name, network_name) if not (path and os.path.exists(path)): path = ContractHandler._get_contract_file_path( artifacts_path, contract_name, network_name.lower()) if not (path and os.path.exists(path)): path = ContractHandler._get_contract_file_path( artifacts_path, contract_name, Keeper.DEFAULT_NETWORK_NAME) if not (path and os.path.exists(path)): raise FileNotFoundError( f'Keeper contract {contract_name} file ' f'not found in {artifacts_path} ' f'using network name {network_name}' ) with open(path) as f: contract_dict = json.loads(f.read()) return contract_dict
python
def get_contract_dict_by_name(contract_name): """ Retrieve the Contract instance for a given contract name. :param contract_name: str :return: the smart contract's definition from the json abi file, dict """ network_name = Keeper.get_network_name(Keeper.get_network_id()).lower() artifacts_path = ConfigProvider.get_config().keeper_path # file_name = '{}.{}.json'.format(contract_name, network_name) # path = os.path.join(keeper.artifacts_path, file_name) path = ContractHandler._get_contract_file_path( artifacts_path, contract_name, network_name) if not (path and os.path.exists(path)): path = ContractHandler._get_contract_file_path( artifacts_path, contract_name, network_name.lower()) if not (path and os.path.exists(path)): path = ContractHandler._get_contract_file_path( artifacts_path, contract_name, Keeper.DEFAULT_NETWORK_NAME) if not (path and os.path.exists(path)): raise FileNotFoundError( f'Keeper contract {contract_name} file ' f'not found in {artifacts_path} ' f'using network name {network_name}' ) with open(path) as f: contract_dict = json.loads(f.read()) return contract_dict
[ "def", "get_contract_dict_by_name", "(", "contract_name", ")", ":", "network_name", "=", "Keeper", ".", "get_network_name", "(", "Keeper", ".", "get_network_id", "(", ")", ")", ".", "lower", "(", ")", "artifacts_path", "=", "ConfigProvider", ".", "get_config", "(", ")", ".", "keeper_path", "# file_name = '{}.{}.json'.format(contract_name, network_name)", "# path = os.path.join(keeper.artifacts_path, file_name)", "path", "=", "ContractHandler", ".", "_get_contract_file_path", "(", "artifacts_path", ",", "contract_name", ",", "network_name", ")", "if", "not", "(", "path", "and", "os", ".", "path", ".", "exists", "(", "path", ")", ")", ":", "path", "=", "ContractHandler", ".", "_get_contract_file_path", "(", "artifacts_path", ",", "contract_name", ",", "network_name", ".", "lower", "(", ")", ")", "if", "not", "(", "path", "and", "os", ".", "path", ".", "exists", "(", "path", ")", ")", ":", "path", "=", "ContractHandler", ".", "_get_contract_file_path", "(", "artifacts_path", ",", "contract_name", ",", "Keeper", ".", "DEFAULT_NETWORK_NAME", ")", "if", "not", "(", "path", "and", "os", ".", "path", ".", "exists", "(", "path", ")", ")", ":", "raise", "FileNotFoundError", "(", "f'Keeper contract {contract_name} file '", "f'not found in {artifacts_path} '", "f'using network name {network_name}'", ")", "with", "open", "(", "path", ")", "as", "f", ":", "contract_dict", "=", "json", ".", "loads", "(", "f", ".", "read", "(", ")", ")", "return", "contract_dict" ]
Retrieve the Contract instance for a given contract name. :param contract_name: str :return: the smart contract's definition from the json abi file, dict
[ "Retrieve", "the", "Contract", "instance", "for", "a", "given", "contract", "name", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/keeper/contract_handler.py#L94-L126
train
235,322
oceanprotocol/squid-py
examples/buy_asset.py
buy_asset
def buy_asset(): """ Requires all ocean services running. """ ConfigProvider.set_config(ExampleConfig.get_config()) config = ConfigProvider.get_config() # make ocean instance ocn = Ocean() acc = get_publisher_account(config) if not acc: acc = ([acc for acc in ocn.accounts.list() if acc.password] or ocn.accounts.list())[0] # Register ddo ddo = ocn.assets.create(Metadata.get_example(), acc, providers=[acc.address], use_secret_store=False) logging.info(f'registered ddo: {ddo.did}') # ocn here will be used only to publish the asset. Handling the asset by the publisher # will be performed by the Brizo server running locally keeper = Keeper.get_instance() if 'TEST_LOCAL_NILE' in os.environ and os.environ['TEST_LOCAL_NILE'] == '1': provider = keeper.did_registry.to_checksum_address( '0x413c9ba0a05b8a600899b41b0c62dd661e689354' ) keeper.did_registry.add_provider(ddo.asset_id, provider, acc) logging.debug(f'is did provider: ' f'{keeper.did_registry.is_did_provider(ddo.asset_id, provider)}') cons_ocn = Ocean() consumer_account = get_account_from_config(config, 'parity.address1', 'parity.password1') # sign agreement using the registered asset did above service = ddo.get_service(service_type=ServiceTypes.ASSET_ACCESS) # This will send the order request to Brizo which in turn will execute the agreement on-chain cons_ocn.accounts.request_tokens(consumer_account, 100) sa = ServiceAgreement.from_service_dict(service.as_dictionary()) agreement_id = cons_ocn.assets.order( ddo.did, sa.service_definition_id, consumer_account) logging.info('placed order: %s, %s', ddo.did, agreement_id) i = 0 while ocn.agreements.is_access_granted( agreement_id, ddo.did, consumer_account.address) is not True and i < 30: time.sleep(1) i += 1 assert ocn.agreements.is_access_granted(agreement_id, ddo.did, consumer_account.address) ocn.assets.consume( agreement_id, ddo.did, sa.service_definition_id, consumer_account, config.downloads_path) logging.info('Success buying asset.')
python
def buy_asset(): """ Requires all ocean services running. """ ConfigProvider.set_config(ExampleConfig.get_config()) config = ConfigProvider.get_config() # make ocean instance ocn = Ocean() acc = get_publisher_account(config) if not acc: acc = ([acc for acc in ocn.accounts.list() if acc.password] or ocn.accounts.list())[0] # Register ddo ddo = ocn.assets.create(Metadata.get_example(), acc, providers=[acc.address], use_secret_store=False) logging.info(f'registered ddo: {ddo.did}') # ocn here will be used only to publish the asset. Handling the asset by the publisher # will be performed by the Brizo server running locally keeper = Keeper.get_instance() if 'TEST_LOCAL_NILE' in os.environ and os.environ['TEST_LOCAL_NILE'] == '1': provider = keeper.did_registry.to_checksum_address( '0x413c9ba0a05b8a600899b41b0c62dd661e689354' ) keeper.did_registry.add_provider(ddo.asset_id, provider, acc) logging.debug(f'is did provider: ' f'{keeper.did_registry.is_did_provider(ddo.asset_id, provider)}') cons_ocn = Ocean() consumer_account = get_account_from_config(config, 'parity.address1', 'parity.password1') # sign agreement using the registered asset did above service = ddo.get_service(service_type=ServiceTypes.ASSET_ACCESS) # This will send the order request to Brizo which in turn will execute the agreement on-chain cons_ocn.accounts.request_tokens(consumer_account, 100) sa = ServiceAgreement.from_service_dict(service.as_dictionary()) agreement_id = cons_ocn.assets.order( ddo.did, sa.service_definition_id, consumer_account) logging.info('placed order: %s, %s', ddo.did, agreement_id) i = 0 while ocn.agreements.is_access_granted( agreement_id, ddo.did, consumer_account.address) is not True and i < 30: time.sleep(1) i += 1 assert ocn.agreements.is_access_granted(agreement_id, ddo.did, consumer_account.address) ocn.assets.consume( agreement_id, ddo.did, sa.service_definition_id, consumer_account, config.downloads_path) logging.info('Success buying asset.')
[ "def", "buy_asset", "(", ")", ":", "ConfigProvider", ".", "set_config", "(", "ExampleConfig", ".", "get_config", "(", ")", ")", "config", "=", "ConfigProvider", ".", "get_config", "(", ")", "# make ocean instance", "ocn", "=", "Ocean", "(", ")", "acc", "=", "get_publisher_account", "(", "config", ")", "if", "not", "acc", ":", "acc", "=", "(", "[", "acc", "for", "acc", "in", "ocn", ".", "accounts", ".", "list", "(", ")", "if", "acc", ".", "password", "]", "or", "ocn", ".", "accounts", ".", "list", "(", ")", ")", "[", "0", "]", "# Register ddo", "ddo", "=", "ocn", ".", "assets", ".", "create", "(", "Metadata", ".", "get_example", "(", ")", ",", "acc", ",", "providers", "=", "[", "acc", ".", "address", "]", ",", "use_secret_store", "=", "False", ")", "logging", ".", "info", "(", "f'registered ddo: {ddo.did}'", ")", "# ocn here will be used only to publish the asset. Handling the asset by the publisher", "# will be performed by the Brizo server running locally", "keeper", "=", "Keeper", ".", "get_instance", "(", ")", "if", "'TEST_LOCAL_NILE'", "in", "os", ".", "environ", "and", "os", ".", "environ", "[", "'TEST_LOCAL_NILE'", "]", "==", "'1'", ":", "provider", "=", "keeper", ".", "did_registry", ".", "to_checksum_address", "(", "'0x413c9ba0a05b8a600899b41b0c62dd661e689354'", ")", "keeper", ".", "did_registry", ".", "add_provider", "(", "ddo", ".", "asset_id", ",", "provider", ",", "acc", ")", "logging", ".", "debug", "(", "f'is did provider: '", "f'{keeper.did_registry.is_did_provider(ddo.asset_id, provider)}'", ")", "cons_ocn", "=", "Ocean", "(", ")", "consumer_account", "=", "get_account_from_config", "(", "config", ",", "'parity.address1'", ",", "'parity.password1'", ")", "# sign agreement using the registered asset did above", "service", "=", "ddo", ".", "get_service", "(", "service_type", "=", "ServiceTypes", ".", "ASSET_ACCESS", ")", "# This will send the order request to Brizo which in turn will execute the agreement on-chain", "cons_ocn", ".", "accounts", ".", "request_tokens", "(", "consumer_account", ",", "100", ")", "sa", "=", "ServiceAgreement", ".", "from_service_dict", "(", "service", ".", "as_dictionary", "(", ")", ")", "agreement_id", "=", "cons_ocn", ".", "assets", ".", "order", "(", "ddo", ".", "did", ",", "sa", ".", "service_definition_id", ",", "consumer_account", ")", "logging", ".", "info", "(", "'placed order: %s, %s'", ",", "ddo", ".", "did", ",", "agreement_id", ")", "i", "=", "0", "while", "ocn", ".", "agreements", ".", "is_access_granted", "(", "agreement_id", ",", "ddo", ".", "did", ",", "consumer_account", ".", "address", ")", "is", "not", "True", "and", "i", "<", "30", ":", "time", ".", "sleep", "(", "1", ")", "i", "+=", "1", "assert", "ocn", ".", "agreements", ".", "is_access_granted", "(", "agreement_id", ",", "ddo", ".", "did", ",", "consumer_account", ".", "address", ")", "ocn", ".", "assets", ".", "consume", "(", "agreement_id", ",", "ddo", ".", "did", ",", "sa", ".", "service_definition_id", ",", "consumer_account", ",", "config", ".", "downloads_path", ")", "logging", ".", "info", "(", "'Success buying asset.'", ")" ]
Requires all ocean services running.
[ "Requires", "all", "ocean", "services", "running", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/examples/buy_asset.py#L29-L83
train
235,323
oceanprotocol/squid-py
squid_py/keeper/token.py
Token.token_approve
def token_approve(self, spender_address, price, from_account): """ Approve the passed address to spend the specified amount of tokens. :param spender_address: Account address, str :param price: Asset price, int :param from_account: Account address, str :return: bool """ if not Web3Provider.get_web3().isChecksumAddress(spender_address): spender_address = Web3Provider.get_web3().toChecksumAddress(spender_address) tx_hash = self.send_transaction( 'approve', (spender_address, price), transact={'from': from_account.address, 'passphrase': from_account.password} ) return self.get_tx_receipt(tx_hash).status == 1
python
def token_approve(self, spender_address, price, from_account): """ Approve the passed address to spend the specified amount of tokens. :param spender_address: Account address, str :param price: Asset price, int :param from_account: Account address, str :return: bool """ if not Web3Provider.get_web3().isChecksumAddress(spender_address): spender_address = Web3Provider.get_web3().toChecksumAddress(spender_address) tx_hash = self.send_transaction( 'approve', (spender_address, price), transact={'from': from_account.address, 'passphrase': from_account.password} ) return self.get_tx_receipt(tx_hash).status == 1
[ "def", "token_approve", "(", "self", ",", "spender_address", ",", "price", ",", "from_account", ")", ":", "if", "not", "Web3Provider", ".", "get_web3", "(", ")", ".", "isChecksumAddress", "(", "spender_address", ")", ":", "spender_address", "=", "Web3Provider", ".", "get_web3", "(", ")", ".", "toChecksumAddress", "(", "spender_address", ")", "tx_hash", "=", "self", ".", "send_transaction", "(", "'approve'", ",", "(", "spender_address", ",", "price", ")", ",", "transact", "=", "{", "'from'", ":", "from_account", ".", "address", ",", "'passphrase'", ":", "from_account", ".", "password", "}", ")", "return", "self", ".", "get_tx_receipt", "(", "tx_hash", ")", ".", "status", "==", "1" ]
Approve the passed address to spend the specified amount of tokens. :param spender_address: Account address, str :param price: Asset price, int :param from_account: Account address, str :return: bool
[ "Approve", "the", "passed", "address", "to", "spend", "the", "specified", "amount", "of", "tokens", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/keeper/token.py#L31-L50
train
235,324
oceanprotocol/squid-py
squid_py/keeper/token.py
Token.transfer
def transfer(self, receiver_address, amount, from_account): """ Transfer tokens from one account to the receiver address. :param receiver_address: Address of the transfer receiver, str :param amount: Amount of tokens, int :param from_account: Sender account, Account :return: bool """ tx_hash = self.send_transaction( 'transfer', (receiver_address, amount), transact={'from': from_account.address, 'passphrase': from_account.password} ) return self.get_tx_receipt(tx_hash).status == 1
python
def transfer(self, receiver_address, amount, from_account): """ Transfer tokens from one account to the receiver address. :param receiver_address: Address of the transfer receiver, str :param amount: Amount of tokens, int :param from_account: Sender account, Account :return: bool """ tx_hash = self.send_transaction( 'transfer', (receiver_address, amount), transact={'from': from_account.address, 'passphrase': from_account.password} ) return self.get_tx_receipt(tx_hash).status == 1
[ "def", "transfer", "(", "self", ",", "receiver_address", ",", "amount", ",", "from_account", ")", ":", "tx_hash", "=", "self", ".", "send_transaction", "(", "'transfer'", ",", "(", "receiver_address", ",", "amount", ")", ",", "transact", "=", "{", "'from'", ":", "from_account", ".", "address", ",", "'passphrase'", ":", "from_account", ".", "password", "}", ")", "return", "self", ".", "get_tx_receipt", "(", "tx_hash", ")", ".", "status", "==", "1" ]
Transfer tokens from one account to the receiver address. :param receiver_address: Address of the transfer receiver, str :param amount: Amount of tokens, int :param from_account: Sender account, Account :return: bool
[ "Transfer", "tokens", "from", "one", "account", "to", "the", "receiver", "address", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/keeper/token.py#L52-L68
train
235,325
oceanprotocol/squid-py
squid_py/agreements/events/access_secret_store_condition.py
fulfill_access_secret_store_condition
def fulfill_access_secret_store_condition(event, agreement_id, did, service_agreement, consumer_address, publisher_account): """ Fulfill the access condition. :param event: AttributeDict with the event data. :param agreement_id: id of the agreement, hex str :param did: DID, str :param service_agreement: ServiceAgreement instance :param consumer_address: ethereum account address of consumer, hex str :param publisher_account: Account instance of the publisher """ logger.debug(f"release reward after event {event}.") name_to_parameter = {param.name: param for param in service_agreement.condition_by_name['accessSecretStore'].parameters} document_id = add_0x_prefix(name_to_parameter['_documentId'].value) asset_id = add_0x_prefix(did_to_id(did)) assert document_id == asset_id, f'document_id {document_id} <=> asset_id {asset_id} mismatch.' try: tx_hash = Keeper.get_instance().access_secret_store_condition.fulfill( agreement_id, document_id, consumer_address, publisher_account ) process_tx_receipt( tx_hash, Keeper.get_instance().access_secret_store_condition.FULFILLED_EVENT, 'AccessSecretStoreCondition.Fulfilled' ) except Exception as e: # logger.error(f'Error when calling grantAccess condition function: {e}') raise e
python
def fulfill_access_secret_store_condition(event, agreement_id, did, service_agreement, consumer_address, publisher_account): """ Fulfill the access condition. :param event: AttributeDict with the event data. :param agreement_id: id of the agreement, hex str :param did: DID, str :param service_agreement: ServiceAgreement instance :param consumer_address: ethereum account address of consumer, hex str :param publisher_account: Account instance of the publisher """ logger.debug(f"release reward after event {event}.") name_to_parameter = {param.name: param for param in service_agreement.condition_by_name['accessSecretStore'].parameters} document_id = add_0x_prefix(name_to_parameter['_documentId'].value) asset_id = add_0x_prefix(did_to_id(did)) assert document_id == asset_id, f'document_id {document_id} <=> asset_id {asset_id} mismatch.' try: tx_hash = Keeper.get_instance().access_secret_store_condition.fulfill( agreement_id, document_id, consumer_address, publisher_account ) process_tx_receipt( tx_hash, Keeper.get_instance().access_secret_store_condition.FULFILLED_EVENT, 'AccessSecretStoreCondition.Fulfilled' ) except Exception as e: # logger.error(f'Error when calling grantAccess condition function: {e}') raise e
[ "def", "fulfill_access_secret_store_condition", "(", "event", ",", "agreement_id", ",", "did", ",", "service_agreement", ",", "consumer_address", ",", "publisher_account", ")", ":", "logger", ".", "debug", "(", "f\"release reward after event {event}.\"", ")", "name_to_parameter", "=", "{", "param", ".", "name", ":", "param", "for", "param", "in", "service_agreement", ".", "condition_by_name", "[", "'accessSecretStore'", "]", ".", "parameters", "}", "document_id", "=", "add_0x_prefix", "(", "name_to_parameter", "[", "'_documentId'", "]", ".", "value", ")", "asset_id", "=", "add_0x_prefix", "(", "did_to_id", "(", "did", ")", ")", "assert", "document_id", "==", "asset_id", ",", "f'document_id {document_id} <=> asset_id {asset_id} mismatch.'", "try", ":", "tx_hash", "=", "Keeper", ".", "get_instance", "(", ")", ".", "access_secret_store_condition", ".", "fulfill", "(", "agreement_id", ",", "document_id", ",", "consumer_address", ",", "publisher_account", ")", "process_tx_receipt", "(", "tx_hash", ",", "Keeper", ".", "get_instance", "(", ")", ".", "access_secret_store_condition", ".", "FULFILLED_EVENT", ",", "'AccessSecretStoreCondition.Fulfilled'", ")", "except", "Exception", "as", "e", ":", "# logger.error(f'Error when calling grantAccess condition function: {e}')", "raise", "e" ]
Fulfill the access condition. :param event: AttributeDict with the event data. :param agreement_id: id of the agreement, hex str :param did: DID, str :param service_agreement: ServiceAgreement instance :param consumer_address: ethereum account address of consumer, hex str :param publisher_account: Account instance of the publisher
[ "Fulfill", "the", "access", "condition", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/agreements/events/access_secret_store_condition.py#L16-L45
train
235,326
oceanprotocol/squid-py
squid_py/ocean/ocean_assets.py
OceanAssets.retire
def retire(self, did): """ Retire this did of Aquarius :param did: DID, str :return: bool """ try: ddo = self.resolve(did) metadata_service = ddo.find_service_by_type(ServiceTypes.METADATA) self._get_aquarius(metadata_service.endpoints.service).retire_asset_ddo(did) return True except AquariusGenericError as err: logger.error(err) return False
python
def retire(self, did): """ Retire this did of Aquarius :param did: DID, str :return: bool """ try: ddo = self.resolve(did) metadata_service = ddo.find_service_by_type(ServiceTypes.METADATA) self._get_aquarius(metadata_service.endpoints.service).retire_asset_ddo(did) return True except AquariusGenericError as err: logger.error(err) return False
[ "def", "retire", "(", "self", ",", "did", ")", ":", "try", ":", "ddo", "=", "self", ".", "resolve", "(", "did", ")", "metadata_service", "=", "ddo", ".", "find_service_by_type", "(", "ServiceTypes", ".", "METADATA", ")", "self", ".", "_get_aquarius", "(", "metadata_service", ".", "endpoints", ".", "service", ")", ".", "retire_asset_ddo", "(", "did", ")", "return", "True", "except", "AquariusGenericError", "as", "err", ":", "logger", ".", "error", "(", "err", ")", "return", "False" ]
Retire this did of Aquarius :param did: DID, str :return: bool
[ "Retire", "this", "did", "of", "Aquarius" ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ocean/ocean_assets.py#L197-L211
train
235,327
oceanprotocol/squid-py
squid_py/ocean/ocean_assets.py
OceanAssets.search
def search(self, text, sort=None, offset=100, page=1, aquarius_url=None): """ Search an asset in oceanDB using aquarius. :param text: String with the value that you are searching :param sort: Dictionary to choose order base in some value :param offset: Number of elements shows by page :param page: Page number :param aquarius_url: Url of the aquarius where you want to search. If there is not provided take the default :return: List of assets that match with the query """ assert page >= 1, f'Invalid page value {page}. Required page >= 1.' logger.info(f'Searching asset containing: {text}') return [DDO(dictionary=ddo_dict) for ddo_dict in self._get_aquarius(aquarius_url).text_search(text, sort, offset, page)['results']]
python
def search(self, text, sort=None, offset=100, page=1, aquarius_url=None): """ Search an asset in oceanDB using aquarius. :param text: String with the value that you are searching :param sort: Dictionary to choose order base in some value :param offset: Number of elements shows by page :param page: Page number :param aquarius_url: Url of the aquarius where you want to search. If there is not provided take the default :return: List of assets that match with the query """ assert page >= 1, f'Invalid page value {page}. Required page >= 1.' logger.info(f'Searching asset containing: {text}') return [DDO(dictionary=ddo_dict) for ddo_dict in self._get_aquarius(aquarius_url).text_search(text, sort, offset, page)['results']]
[ "def", "search", "(", "self", ",", "text", ",", "sort", "=", "None", ",", "offset", "=", "100", ",", "page", "=", "1", ",", "aquarius_url", "=", "None", ")", ":", "assert", "page", ">=", "1", ",", "f'Invalid page value {page}. Required page >= 1.'", "logger", ".", "info", "(", "f'Searching asset containing: {text}'", ")", "return", "[", "DDO", "(", "dictionary", "=", "ddo_dict", ")", "for", "ddo_dict", "in", "self", ".", "_get_aquarius", "(", "aquarius_url", ")", ".", "text_search", "(", "text", ",", "sort", ",", "offset", ",", "page", ")", "[", "'results'", "]", "]" ]
Search an asset in oceanDB using aquarius. :param text: String with the value that you are searching :param sort: Dictionary to choose order base in some value :param offset: Number of elements shows by page :param page: Page number :param aquarius_url: Url of the aquarius where you want to search. If there is not provided take the default :return: List of assets that match with the query
[ "Search", "an", "asset", "in", "oceanDB", "using", "aquarius", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ocean/ocean_assets.py#L222-L237
train
235,328
oceanprotocol/squid-py
squid_py/ocean/ocean_assets.py
OceanAssets.query
def query(self, query, sort=None, offset=100, page=1, aquarius_url=None): """ Search an asset in oceanDB using search query. :param query: dict with query parameters (e.g.) https://github.com/oceanprotocol/aquarius/blob/develop/docs/for_api_users/API.md :param sort: Dictionary to choose order base in some value :param offset: Number of elements shows by page :param page: Page number :param aquarius_url: Url of the aquarius where you want to search. If there is not provided take the default :return: List of assets that match with the query. """ logger.info(f'Searching asset query: {query}') aquarius = self._get_aquarius(aquarius_url) return [DDO(dictionary=ddo_dict) for ddo_dict in aquarius.query_search(query, sort, offset, page)['results']]
python
def query(self, query, sort=None, offset=100, page=1, aquarius_url=None): """ Search an asset in oceanDB using search query. :param query: dict with query parameters (e.g.) https://github.com/oceanprotocol/aquarius/blob/develop/docs/for_api_users/API.md :param sort: Dictionary to choose order base in some value :param offset: Number of elements shows by page :param page: Page number :param aquarius_url: Url of the aquarius where you want to search. If there is not provided take the default :return: List of assets that match with the query. """ logger.info(f'Searching asset query: {query}') aquarius = self._get_aquarius(aquarius_url) return [DDO(dictionary=ddo_dict) for ddo_dict in aquarius.query_search(query, sort, offset, page)['results']]
[ "def", "query", "(", "self", ",", "query", ",", "sort", "=", "None", ",", "offset", "=", "100", ",", "page", "=", "1", ",", "aquarius_url", "=", "None", ")", ":", "logger", ".", "info", "(", "f'Searching asset query: {query}'", ")", "aquarius", "=", "self", ".", "_get_aquarius", "(", "aquarius_url", ")", "return", "[", "DDO", "(", "dictionary", "=", "ddo_dict", ")", "for", "ddo_dict", "in", "aquarius", ".", "query_search", "(", "query", ",", "sort", ",", "offset", ",", "page", ")", "[", "'results'", "]", "]" ]
Search an asset in oceanDB using search query. :param query: dict with query parameters (e.g.) https://github.com/oceanprotocol/aquarius/blob/develop/docs/for_api_users/API.md :param sort: Dictionary to choose order base in some value :param offset: Number of elements shows by page :param page: Page number :param aquarius_url: Url of the aquarius where you want to search. If there is not provided take the default :return: List of assets that match with the query.
[ "Search", "an", "asset", "in", "oceanDB", "using", "search", "query", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ocean/ocean_assets.py#L239-L255
train
235,329
oceanprotocol/squid-py
squid_py/ocean/ocean_assets.py
OceanAssets.order
def order(self, did, service_definition_id, consumer_account, auto_consume=False): """ Sign service agreement. Sign the service agreement defined in the service section identified by `service_definition_id` in the ddo and send the signed agreement to the purchase endpoint associated with this service. :param did: str starting with the prefix `did:op:` and followed by the asset id which is a hex str :param service_definition_id: str the service definition id identifying a specific service in the DDO (DID document) :param consumer_account: Account instance of the consumer :param auto_consume: boolean :return: tuple(agreement_id, signature) the service agreement id (can be used to query the keeper-contracts for the status of the service agreement) and signed agreement hash """ assert consumer_account.address in self._keeper.accounts, f'Unrecognized consumer ' \ f'address `consumer_account`' agreement_id, signature = self._agreements.prepare( did, service_definition_id, consumer_account ) logger.debug(f'about to request create agreement: {agreement_id}') self._agreements.send( did, agreement_id, service_definition_id, signature, consumer_account, auto_consume=auto_consume ) return agreement_id
python
def order(self, did, service_definition_id, consumer_account, auto_consume=False): """ Sign service agreement. Sign the service agreement defined in the service section identified by `service_definition_id` in the ddo and send the signed agreement to the purchase endpoint associated with this service. :param did: str starting with the prefix `did:op:` and followed by the asset id which is a hex str :param service_definition_id: str the service definition id identifying a specific service in the DDO (DID document) :param consumer_account: Account instance of the consumer :param auto_consume: boolean :return: tuple(agreement_id, signature) the service agreement id (can be used to query the keeper-contracts for the status of the service agreement) and signed agreement hash """ assert consumer_account.address in self._keeper.accounts, f'Unrecognized consumer ' \ f'address `consumer_account`' agreement_id, signature = self._agreements.prepare( did, service_definition_id, consumer_account ) logger.debug(f'about to request create agreement: {agreement_id}') self._agreements.send( did, agreement_id, service_definition_id, signature, consumer_account, auto_consume=auto_consume ) return agreement_id
[ "def", "order", "(", "self", ",", "did", ",", "service_definition_id", ",", "consumer_account", ",", "auto_consume", "=", "False", ")", ":", "assert", "consumer_account", ".", "address", "in", "self", ".", "_keeper", ".", "accounts", ",", "f'Unrecognized consumer '", "f'address `consumer_account`'", "agreement_id", ",", "signature", "=", "self", ".", "_agreements", ".", "prepare", "(", "did", ",", "service_definition_id", ",", "consumer_account", ")", "logger", ".", "debug", "(", "f'about to request create agreement: {agreement_id}'", ")", "self", ".", "_agreements", ".", "send", "(", "did", ",", "agreement_id", ",", "service_definition_id", ",", "signature", ",", "consumer_account", ",", "auto_consume", "=", "auto_consume", ")", "return", "agreement_id" ]
Sign service agreement. Sign the service agreement defined in the service section identified by `service_definition_id` in the ddo and send the signed agreement to the purchase endpoint associated with this service. :param did: str starting with the prefix `did:op:` and followed by the asset id which is a hex str :param service_definition_id: str the service definition id identifying a specific service in the DDO (DID document) :param consumer_account: Account instance of the consumer :param auto_consume: boolean :return: tuple(agreement_id, signature) the service agreement id (can be used to query the keeper-contracts for the status of the service agreement) and signed agreement hash
[ "Sign", "service", "agreement", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ocean/ocean_assets.py#L257-L289
train
235,330
oceanprotocol/squid-py
squid_py/ocean/ocean_assets.py
OceanAssets.consume
def consume(self, service_agreement_id, did, service_definition_id, consumer_account, destination, index=None): """ Consume the asset data. Using the service endpoint defined in the ddo's service pointed to by service_definition_id. Consumer's permissions is checked implicitly by the secret-store during decryption of the contentUrls. The service endpoint is expected to also verify the consumer's permissions to consume this asset. This method downloads and saves the asset datafiles to disk. :param service_agreement_id: str :param did: DID, str :param service_definition_id: identifier of the service inside the asset DDO, str :param consumer_account: Account instance of the consumer :param destination: str path :param index: Index of the document that is going to be downloaded, int :return: str path to saved files """ ddo = self.resolve(did) if index is not None: assert isinstance(index, int), logger.error('index has to be an integer.') assert index >= 0, logger.error('index has to be 0 or a positive integer.') return self._asset_consumer.download( service_agreement_id, service_definition_id, ddo, consumer_account, destination, BrizoProvider.get_brizo(), self._get_secret_store(consumer_account), index )
python
def consume(self, service_agreement_id, did, service_definition_id, consumer_account, destination, index=None): """ Consume the asset data. Using the service endpoint defined in the ddo's service pointed to by service_definition_id. Consumer's permissions is checked implicitly by the secret-store during decryption of the contentUrls. The service endpoint is expected to also verify the consumer's permissions to consume this asset. This method downloads and saves the asset datafiles to disk. :param service_agreement_id: str :param did: DID, str :param service_definition_id: identifier of the service inside the asset DDO, str :param consumer_account: Account instance of the consumer :param destination: str path :param index: Index of the document that is going to be downloaded, int :return: str path to saved files """ ddo = self.resolve(did) if index is not None: assert isinstance(index, int), logger.error('index has to be an integer.') assert index >= 0, logger.error('index has to be 0 or a positive integer.') return self._asset_consumer.download( service_agreement_id, service_definition_id, ddo, consumer_account, destination, BrizoProvider.get_brizo(), self._get_secret_store(consumer_account), index )
[ "def", "consume", "(", "self", ",", "service_agreement_id", ",", "did", ",", "service_definition_id", ",", "consumer_account", ",", "destination", ",", "index", "=", "None", ")", ":", "ddo", "=", "self", ".", "resolve", "(", "did", ")", "if", "index", "is", "not", "None", ":", "assert", "isinstance", "(", "index", ",", "int", ")", ",", "logger", ".", "error", "(", "'index has to be an integer.'", ")", "assert", "index", ">=", "0", ",", "logger", ".", "error", "(", "'index has to be 0 or a positive integer.'", ")", "return", "self", ".", "_asset_consumer", ".", "download", "(", "service_agreement_id", ",", "service_definition_id", ",", "ddo", ",", "consumer_account", ",", "destination", ",", "BrizoProvider", ".", "get_brizo", "(", ")", ",", "self", ".", "_get_secret_store", "(", "consumer_account", ")", ",", "index", ")" ]
Consume the asset data. Using the service endpoint defined in the ddo's service pointed to by service_definition_id. Consumer's permissions is checked implicitly by the secret-store during decryption of the contentUrls. The service endpoint is expected to also verify the consumer's permissions to consume this asset. This method downloads and saves the asset datafiles to disk. :param service_agreement_id: str :param did: DID, str :param service_definition_id: identifier of the service inside the asset DDO, str :param consumer_account: Account instance of the consumer :param destination: str path :param index: Index of the document that is going to be downloaded, int :return: str path to saved files
[ "Consume", "the", "asset", "data", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ocean/ocean_assets.py#L291-L324
train
235,331
oceanprotocol/squid-py
squid_py/ocean/ocean_templates.py
OceanTemplates.propose
def propose(self, template_address, account): """ Propose a new template. :param template_address: Address of the template contract, str :param account: account proposing the template, Account :return: bool """ try: proposed = self._keeper.template_manager.propose_template(template_address, account) return proposed except ValueError as err: template_values = self._keeper.template_manager.get_template(template_address) if not template_values: logger.warning(f'Propose template failed: {err}') return False if template_values.state != 1: logger.warning( f'Propose template failed, current state is set to {template_values.state}') return False return True
python
def propose(self, template_address, account): """ Propose a new template. :param template_address: Address of the template contract, str :param account: account proposing the template, Account :return: bool """ try: proposed = self._keeper.template_manager.propose_template(template_address, account) return proposed except ValueError as err: template_values = self._keeper.template_manager.get_template(template_address) if not template_values: logger.warning(f'Propose template failed: {err}') return False if template_values.state != 1: logger.warning( f'Propose template failed, current state is set to {template_values.state}') return False return True
[ "def", "propose", "(", "self", ",", "template_address", ",", "account", ")", ":", "try", ":", "proposed", "=", "self", ".", "_keeper", ".", "template_manager", ".", "propose_template", "(", "template_address", ",", "account", ")", "return", "proposed", "except", "ValueError", "as", "err", ":", "template_values", "=", "self", ".", "_keeper", ".", "template_manager", ".", "get_template", "(", "template_address", ")", "if", "not", "template_values", ":", "logger", ".", "warning", "(", "f'Propose template failed: {err}'", ")", "return", "False", "if", "template_values", ".", "state", "!=", "1", ":", "logger", ".", "warning", "(", "f'Propose template failed, current state is set to {template_values.state}'", ")", "return", "False", "return", "True" ]
Propose a new template. :param template_address: Address of the template contract, str :param account: account proposing the template, Account :return: bool
[ "Propose", "a", "new", "template", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ocean/ocean_templates.py#L18-L40
train
235,332
oceanprotocol/squid-py
squid_py/ocean/ocean_templates.py
OceanTemplates.approve
def approve(self, template_address, account): """ Approve a template already proposed. The account needs to be owner of the templateManager contract to be able of approve the template. :param template_address: Address of the template contract, str :param account: account approving the template, Account :return: bool """ try: approved = self._keeper.template_manager.approve_template(template_address, account) return approved except ValueError as err: template_values = self._keeper.template_manager.get_template(template_address) if not template_values: logger.warning(f'Approve template failed: {err}') return False if template_values.state == 1: logger.warning(f'Approve template failed, this template is ' f'currently in "proposed" state.') return False if template_values.state == 3: logger.warning(f'Approve template failed, this template appears to be ' f'revoked.') return False if template_values.state == 2: return True return False
python
def approve(self, template_address, account): """ Approve a template already proposed. The account needs to be owner of the templateManager contract to be able of approve the template. :param template_address: Address of the template contract, str :param account: account approving the template, Account :return: bool """ try: approved = self._keeper.template_manager.approve_template(template_address, account) return approved except ValueError as err: template_values = self._keeper.template_manager.get_template(template_address) if not template_values: logger.warning(f'Approve template failed: {err}') return False if template_values.state == 1: logger.warning(f'Approve template failed, this template is ' f'currently in "proposed" state.') return False if template_values.state == 3: logger.warning(f'Approve template failed, this template appears to be ' f'revoked.') return False if template_values.state == 2: return True return False
[ "def", "approve", "(", "self", ",", "template_address", ",", "account", ")", ":", "try", ":", "approved", "=", "self", ".", "_keeper", ".", "template_manager", ".", "approve_template", "(", "template_address", ",", "account", ")", "return", "approved", "except", "ValueError", "as", "err", ":", "template_values", "=", "self", ".", "_keeper", ".", "template_manager", ".", "get_template", "(", "template_address", ")", "if", "not", "template_values", ":", "logger", ".", "warning", "(", "f'Approve template failed: {err}'", ")", "return", "False", "if", "template_values", ".", "state", "==", "1", ":", "logger", ".", "warning", "(", "f'Approve template failed, this template is '", "f'currently in \"proposed\" state.'", ")", "return", "False", "if", "template_values", ".", "state", "==", "3", ":", "logger", ".", "warning", "(", "f'Approve template failed, this template appears to be '", "f'revoked.'", ")", "return", "False", "if", "template_values", ".", "state", "==", "2", ":", "return", "True", "return", "False" ]
Approve a template already proposed. The account needs to be owner of the templateManager contract to be able of approve the template. :param template_address: Address of the template contract, str :param account: account approving the template, Account :return: bool
[ "Approve", "a", "template", "already", "proposed", ".", "The", "account", "needs", "to", "be", "owner", "of", "the", "templateManager", "contract", "to", "be", "able", "of", "approve", "the", "template", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ocean/ocean_templates.py#L42-L73
train
235,333
oceanprotocol/squid-py
squid_py/ocean/ocean_templates.py
OceanTemplates.revoke
def revoke(self, template_address, account): """ Revoke a template already approved. The account needs to be owner of the templateManager contract to be able of revoke the template. :param template_address: Address of the template contract, str :param account: account revoking the template, Account :return: bool """ try: revoked = self._keeper.template_manager.revoke_template(template_address, account) return revoked except ValueError as err: template_values = self._keeper.template_manager.get_template(template_address) if not template_values: logger.warning(f'Cannot revoke template since it does not exist: {err}') return False logger.warning(f'Only template admin or owner can revoke a template: {err}') return False
python
def revoke(self, template_address, account): """ Revoke a template already approved. The account needs to be owner of the templateManager contract to be able of revoke the template. :param template_address: Address of the template contract, str :param account: account revoking the template, Account :return: bool """ try: revoked = self._keeper.template_manager.revoke_template(template_address, account) return revoked except ValueError as err: template_values = self._keeper.template_manager.get_template(template_address) if not template_values: logger.warning(f'Cannot revoke template since it does not exist: {err}') return False logger.warning(f'Only template admin or owner can revoke a template: {err}') return False
[ "def", "revoke", "(", "self", ",", "template_address", ",", "account", ")", ":", "try", ":", "revoked", "=", "self", ".", "_keeper", ".", "template_manager", ".", "revoke_template", "(", "template_address", ",", "account", ")", "return", "revoked", "except", "ValueError", "as", "err", ":", "template_values", "=", "self", ".", "_keeper", ".", "template_manager", ".", "get_template", "(", "template_address", ")", "if", "not", "template_values", ":", "logger", ".", "warning", "(", "f'Cannot revoke template since it does not exist: {err}'", ")", "return", "False", "logger", ".", "warning", "(", "f'Only template admin or owner can revoke a template: {err}'", ")", "return", "False" ]
Revoke a template already approved. The account needs to be owner of the templateManager contract to be able of revoke the template. :param template_address: Address of the template contract, str :param account: account revoking the template, Account :return: bool
[ "Revoke", "a", "template", "already", "approved", ".", "The", "account", "needs", "to", "be", "owner", "of", "the", "templateManager", "contract", "to", "be", "able", "of", "revoke", "the", "template", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ocean/ocean_templates.py#L75-L94
train
235,334
oceanprotocol/squid-py
squid_py/agreements/service_agreement.py
ServiceAgreement.get_price
def get_price(self): """ Return the price from the conditions parameters. :return: Int """ for cond in self.conditions: for p in cond.parameters: if p.name == '_amount': return p.value
python
def get_price(self): """ Return the price from the conditions parameters. :return: Int """ for cond in self.conditions: for p in cond.parameters: if p.name == '_amount': return p.value
[ "def", "get_price", "(", "self", ")", ":", "for", "cond", "in", "self", ".", "conditions", ":", "for", "p", "in", "cond", ".", "parameters", ":", "if", "p", ".", "name", "==", "'_amount'", ":", "return", "p", ".", "value" ]
Return the price from the conditions parameters. :return: Int
[ "Return", "the", "price", "from", "the", "conditions", "parameters", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/agreements/service_agreement.py#L47-L56
train
235,335
oceanprotocol/squid-py
squid_py/agreements/service_agreement.py
ServiceAgreement.get_service_agreement_hash
def get_service_agreement_hash( self, agreement_id, asset_id, consumer_address, publisher_address, keeper): """Return the hash of the service agreement values to be signed by a consumer. :param agreement_id:id of the agreement, hex str :param asset_id: :param consumer_address: ethereum account address of consumer, hex str :param publisher_address: ethereum account address of publisher, hex str :param keeper: :return: """ agreement_hash = ServiceAgreement.generate_service_agreement_hash( self.template_id, self.generate_agreement_condition_ids( agreement_id, asset_id, consumer_address, publisher_address, keeper), self.conditions_timelocks, self.conditions_timeouts, agreement_id ) return agreement_hash
python
def get_service_agreement_hash( self, agreement_id, asset_id, consumer_address, publisher_address, keeper): """Return the hash of the service agreement values to be signed by a consumer. :param agreement_id:id of the agreement, hex str :param asset_id: :param consumer_address: ethereum account address of consumer, hex str :param publisher_address: ethereum account address of publisher, hex str :param keeper: :return: """ agreement_hash = ServiceAgreement.generate_service_agreement_hash( self.template_id, self.generate_agreement_condition_ids( agreement_id, asset_id, consumer_address, publisher_address, keeper), self.conditions_timelocks, self.conditions_timeouts, agreement_id ) return agreement_hash
[ "def", "get_service_agreement_hash", "(", "self", ",", "agreement_id", ",", "asset_id", ",", "consumer_address", ",", "publisher_address", ",", "keeper", ")", ":", "agreement_hash", "=", "ServiceAgreement", ".", "generate_service_agreement_hash", "(", "self", ".", "template_id", ",", "self", ".", "generate_agreement_condition_ids", "(", "agreement_id", ",", "asset_id", ",", "consumer_address", ",", "publisher_address", ",", "keeper", ")", ",", "self", ".", "conditions_timelocks", ",", "self", ".", "conditions_timeouts", ",", "agreement_id", ")", "return", "agreement_hash" ]
Return the hash of the service agreement values to be signed by a consumer. :param agreement_id:id of the agreement, hex str :param asset_id: :param consumer_address: ethereum account address of consumer, hex str :param publisher_address: ethereum account address of publisher, hex str :param keeper: :return:
[ "Return", "the", "hash", "of", "the", "service", "agreement", "values", "to", "be", "signed", "by", "a", "consumer", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/agreements/service_agreement.py#L226-L245
train
235,336
oceanprotocol/squid-py
squid_py/config.py
Config.keeper_path
def keeper_path(self): """Path where the keeper-contracts artifacts are allocated.""" keeper_path_string = self.get(self._section_name, NAME_KEEPER_PATH) path = Path(keeper_path_string).expanduser().resolve() # TODO: Handle the default case and make default empty string # assert path.exists(), "Can't find the keeper path: {} ({})"..format(keeper_path_string, # path) if os.path.exists(path): pass elif os.getenv('VIRTUAL_ENV'): path = os.path.join(os.getenv('VIRTUAL_ENV'), 'artifacts') else: path = os.path.join(site.PREFIXES[0], 'artifacts') return path
python
def keeper_path(self): """Path where the keeper-contracts artifacts are allocated.""" keeper_path_string = self.get(self._section_name, NAME_KEEPER_PATH) path = Path(keeper_path_string).expanduser().resolve() # TODO: Handle the default case and make default empty string # assert path.exists(), "Can't find the keeper path: {} ({})"..format(keeper_path_string, # path) if os.path.exists(path): pass elif os.getenv('VIRTUAL_ENV'): path = os.path.join(os.getenv('VIRTUAL_ENV'), 'artifacts') else: path = os.path.join(site.PREFIXES[0], 'artifacts') return path
[ "def", "keeper_path", "(", "self", ")", ":", "keeper_path_string", "=", "self", ".", "get", "(", "self", ".", "_section_name", ",", "NAME_KEEPER_PATH", ")", "path", "=", "Path", "(", "keeper_path_string", ")", ".", "expanduser", "(", ")", ".", "resolve", "(", ")", "# TODO: Handle the default case and make default empty string", "# assert path.exists(), \"Can't find the keeper path: {} ({})\"..format(keeper_path_string,", "# path)", "if", "os", ".", "path", ".", "exists", "(", "path", ")", ":", "pass", "elif", "os", ".", "getenv", "(", "'VIRTUAL_ENV'", ")", ":", "path", "=", "os", ".", "path", ".", "join", "(", "os", ".", "getenv", "(", "'VIRTUAL_ENV'", ")", ",", "'artifacts'", ")", "else", ":", "path", "=", "os", ".", "path", ".", "join", "(", "site", ".", "PREFIXES", "[", "0", "]", ",", "'artifacts'", ")", "return", "path" ]
Path where the keeper-contracts artifacts are allocated.
[ "Path", "where", "the", "keeper", "-", "contracts", "artifacts", "are", "allocated", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/config.py#L116-L129
train
235,337
oceanprotocol/squid-py
squid_py/ddo/ddo.py
DDO.add_public_key
def add_public_key(self, did, public_key): """ Add a public key object to the list of public keys. :param public_key: Public key, PublicKeyHex """ logger.debug(f'Adding public key {public_key} to the did {did}') self._public_keys.append( PublicKeyBase(did, **{"owner": public_key, "type": "EthereumECDSAKey"}))
python
def add_public_key(self, did, public_key): """ Add a public key object to the list of public keys. :param public_key: Public key, PublicKeyHex """ logger.debug(f'Adding public key {public_key} to the did {did}') self._public_keys.append( PublicKeyBase(did, **{"owner": public_key, "type": "EthereumECDSAKey"}))
[ "def", "add_public_key", "(", "self", ",", "did", ",", "public_key", ")", ":", "logger", ".", "debug", "(", "f'Adding public key {public_key} to the did {did}'", ")", "self", ".", "_public_keys", ".", "append", "(", "PublicKeyBase", "(", "did", ",", "*", "*", "{", "\"owner\"", ":", "public_key", ",", "\"type\"", ":", "\"EthereumECDSAKey\"", "}", ")", ")" ]
Add a public key object to the list of public keys. :param public_key: Public key, PublicKeyHex
[ "Add", "a", "public", "key", "object", "to", "the", "list", "of", "public", "keys", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ddo/ddo.py#L79-L87
train
235,338
oceanprotocol/squid-py
squid_py/ddo/ddo.py
DDO.add_authentication
def add_authentication(self, public_key, authentication_type=None): """ Add a authentication public key id and type to the list of authentications. :param key_id: Key id, Authentication :param authentication_type: Authentication type, str """ authentication = {} if public_key: authentication = {'type': authentication_type, 'publicKey': public_key} logger.debug(f'Adding authentication {authentication}') self._authentications.append(authentication)
python
def add_authentication(self, public_key, authentication_type=None): """ Add a authentication public key id and type to the list of authentications. :param key_id: Key id, Authentication :param authentication_type: Authentication type, str """ authentication = {} if public_key: authentication = {'type': authentication_type, 'publicKey': public_key} logger.debug(f'Adding authentication {authentication}') self._authentications.append(authentication)
[ "def", "add_authentication", "(", "self", ",", "public_key", ",", "authentication_type", "=", "None", ")", ":", "authentication", "=", "{", "}", "if", "public_key", ":", "authentication", "=", "{", "'type'", ":", "authentication_type", ",", "'publicKey'", ":", "public_key", "}", "logger", ".", "debug", "(", "f'Adding authentication {authentication}'", ")", "self", ".", "_authentications", ".", "append", "(", "authentication", ")" ]
Add a authentication public key id and type to the list of authentications. :param key_id: Key id, Authentication :param authentication_type: Authentication type, str
[ "Add", "a", "authentication", "public", "key", "id", "and", "type", "to", "the", "list", "of", "authentications", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ddo/ddo.py#L89-L100
train
235,339
oceanprotocol/squid-py
squid_py/ddo/ddo.py
DDO.add_service
def add_service(self, service_type, service_endpoint=None, values=None): """ Add a service to the list of services on the DDO. :param service_type: Service :param service_endpoint: Service endpoint, str :param values: Python dict with serviceDefinitionId, templateId, serviceAgreementContract, list of conditions and consume endpoint. """ if isinstance(service_type, Service): service = service_type else: service = Service(service_endpoint, service_type, values, did=self._did) logger.debug(f'Adding service with service type {service_type} with did {self._did}') self._services.append(service)
python
def add_service(self, service_type, service_endpoint=None, values=None): """ Add a service to the list of services on the DDO. :param service_type: Service :param service_endpoint: Service endpoint, str :param values: Python dict with serviceDefinitionId, templateId, serviceAgreementContract, list of conditions and consume endpoint. """ if isinstance(service_type, Service): service = service_type else: service = Service(service_endpoint, service_type, values, did=self._did) logger.debug(f'Adding service with service type {service_type} with did {self._did}') self._services.append(service)
[ "def", "add_service", "(", "self", ",", "service_type", ",", "service_endpoint", "=", "None", ",", "values", "=", "None", ")", ":", "if", "isinstance", "(", "service_type", ",", "Service", ")", ":", "service", "=", "service_type", "else", ":", "service", "=", "Service", "(", "service_endpoint", ",", "service_type", ",", "values", ",", "did", "=", "self", ".", "_did", ")", "logger", ".", "debug", "(", "f'Adding service with service type {service_type} with did {self._did}'", ")", "self", ".", "_services", ".", "append", "(", "service", ")" ]
Add a service to the list of services on the DDO. :param service_type: Service :param service_endpoint: Service endpoint, str :param values: Python dict with serviceDefinitionId, templateId, serviceAgreementContract, list of conditions and consume endpoint.
[ "Add", "a", "service", "to", "the", "list", "of", "services", "on", "the", "DDO", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ddo/ddo.py#L102-L116
train
235,340
oceanprotocol/squid-py
squid_py/ddo/ddo.py
DDO.as_text
def as_text(self, is_proof=True, is_pretty=False): """Return the DDO as a JSON text. :param if is_proof: if False then do not include the 'proof' element. :param is_pretty: If True return dictionary in a prettier way, bool :return: str """ data = self.as_dictionary(is_proof) if is_pretty: return json.dumps(data, indent=2, separators=(',', ': ')) return json.dumps(data)
python
def as_text(self, is_proof=True, is_pretty=False): """Return the DDO as a JSON text. :param if is_proof: if False then do not include the 'proof' element. :param is_pretty: If True return dictionary in a prettier way, bool :return: str """ data = self.as_dictionary(is_proof) if is_pretty: return json.dumps(data, indent=2, separators=(',', ': ')) return json.dumps(data)
[ "def", "as_text", "(", "self", ",", "is_proof", "=", "True", ",", "is_pretty", "=", "False", ")", ":", "data", "=", "self", ".", "as_dictionary", "(", "is_proof", ")", "if", "is_pretty", ":", "return", "json", ".", "dumps", "(", "data", ",", "indent", "=", "2", ",", "separators", "=", "(", "','", ",", "': '", ")", ")", "return", "json", ".", "dumps", "(", "data", ")" ]
Return the DDO as a JSON text. :param if is_proof: if False then do not include the 'proof' element. :param is_pretty: If True return dictionary in a prettier way, bool :return: str
[ "Return", "the", "DDO", "as", "a", "JSON", "text", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ddo/ddo.py#L118-L129
train
235,341
oceanprotocol/squid-py
squid_py/ddo/ddo.py
DDO.as_dictionary
def as_dictionary(self, is_proof=True): """ Return the DDO as a JSON dict. :param if is_proof: if False then do not include the 'proof' element. :return: dict """ if self._created is None: self._created = DDO._get_timestamp() data = { '@context': DID_DDO_CONTEXT_URL, 'id': self._did, 'created': self._created, } if self._public_keys: values = [] for public_key in self._public_keys: values.append(public_key.as_dictionary()) data['publicKey'] = values if self._authentications: values = [] for authentication in self._authentications: values.append(authentication) data['authentication'] = values if self._services: values = [] for service in self._services: values.append(service.as_dictionary()) data['service'] = values if self._proof and is_proof: data['proof'] = self._proof return data
python
def as_dictionary(self, is_proof=True): """ Return the DDO as a JSON dict. :param if is_proof: if False then do not include the 'proof' element. :return: dict """ if self._created is None: self._created = DDO._get_timestamp() data = { '@context': DID_DDO_CONTEXT_URL, 'id': self._did, 'created': self._created, } if self._public_keys: values = [] for public_key in self._public_keys: values.append(public_key.as_dictionary()) data['publicKey'] = values if self._authentications: values = [] for authentication in self._authentications: values.append(authentication) data['authentication'] = values if self._services: values = [] for service in self._services: values.append(service.as_dictionary()) data['service'] = values if self._proof and is_proof: data['proof'] = self._proof return data
[ "def", "as_dictionary", "(", "self", ",", "is_proof", "=", "True", ")", ":", "if", "self", ".", "_created", "is", "None", ":", "self", ".", "_created", "=", "DDO", ".", "_get_timestamp", "(", ")", "data", "=", "{", "'@context'", ":", "DID_DDO_CONTEXT_URL", ",", "'id'", ":", "self", ".", "_did", ",", "'created'", ":", "self", ".", "_created", ",", "}", "if", "self", ".", "_public_keys", ":", "values", "=", "[", "]", "for", "public_key", "in", "self", ".", "_public_keys", ":", "values", ".", "append", "(", "public_key", ".", "as_dictionary", "(", ")", ")", "data", "[", "'publicKey'", "]", "=", "values", "if", "self", ".", "_authentications", ":", "values", "=", "[", "]", "for", "authentication", "in", "self", ".", "_authentications", ":", "values", ".", "append", "(", "authentication", ")", "data", "[", "'authentication'", "]", "=", "values", "if", "self", ".", "_services", ":", "values", "=", "[", "]", "for", "service", "in", "self", ".", "_services", ":", "values", ".", "append", "(", "service", ".", "as_dictionary", "(", ")", ")", "data", "[", "'service'", "]", "=", "values", "if", "self", ".", "_proof", "and", "is_proof", ":", "data", "[", "'proof'", "]", "=", "self", ".", "_proof", "return", "data" ]
Return the DDO as a JSON dict. :param if is_proof: if False then do not include the 'proof' element. :return: dict
[ "Return", "the", "DDO", "as", "a", "JSON", "dict", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ddo/ddo.py#L131-L164
train
235,342
oceanprotocol/squid-py
squid_py/ddo/ddo.py
DDO._read_dict
def _read_dict(self, dictionary): """Import a JSON dict into this DDO.""" values = dictionary self._did = values['id'] self._created = values.get('created', None) if 'publicKey' in values: self._public_keys = [] for value in values['publicKey']: if isinstance(value, str): value = json.loads(value) self._public_keys.append(DDO.create_public_key_from_json(value)) if 'authentication' in values: self._authentications = [] for value in values['authentication']: if isinstance(value, str): value = json.loads(value) self._authentications.append(DDO.create_authentication_from_json(value)) if 'service' in values: self._services = [] for value in values['service']: if isinstance(value, str): value = json.loads(value) service = Service.from_json(value) service.set_did(self._did) self._services.append(service) if 'proof' in values: self._proof = values['proof']
python
def _read_dict(self, dictionary): """Import a JSON dict into this DDO.""" values = dictionary self._did = values['id'] self._created = values.get('created', None) if 'publicKey' in values: self._public_keys = [] for value in values['publicKey']: if isinstance(value, str): value = json.loads(value) self._public_keys.append(DDO.create_public_key_from_json(value)) if 'authentication' in values: self._authentications = [] for value in values['authentication']: if isinstance(value, str): value = json.loads(value) self._authentications.append(DDO.create_authentication_from_json(value)) if 'service' in values: self._services = [] for value in values['service']: if isinstance(value, str): value = json.loads(value) service = Service.from_json(value) service.set_did(self._did) self._services.append(service) if 'proof' in values: self._proof = values['proof']
[ "def", "_read_dict", "(", "self", ",", "dictionary", ")", ":", "values", "=", "dictionary", "self", ".", "_did", "=", "values", "[", "'id'", "]", "self", ".", "_created", "=", "values", ".", "get", "(", "'created'", ",", "None", ")", "if", "'publicKey'", "in", "values", ":", "self", ".", "_public_keys", "=", "[", "]", "for", "value", "in", "values", "[", "'publicKey'", "]", ":", "if", "isinstance", "(", "value", ",", "str", ")", ":", "value", "=", "json", ".", "loads", "(", "value", ")", "self", ".", "_public_keys", ".", "append", "(", "DDO", ".", "create_public_key_from_json", "(", "value", ")", ")", "if", "'authentication'", "in", "values", ":", "self", ".", "_authentications", "=", "[", "]", "for", "value", "in", "values", "[", "'authentication'", "]", ":", "if", "isinstance", "(", "value", ",", "str", ")", ":", "value", "=", "json", ".", "loads", "(", "value", ")", "self", ".", "_authentications", ".", "append", "(", "DDO", ".", "create_authentication_from_json", "(", "value", ")", ")", "if", "'service'", "in", "values", ":", "self", ".", "_services", "=", "[", "]", "for", "value", "in", "values", "[", "'service'", "]", ":", "if", "isinstance", "(", "value", ",", "str", ")", ":", "value", "=", "json", ".", "loads", "(", "value", ")", "service", "=", "Service", ".", "from_json", "(", "value", ")", "service", ".", "set_did", "(", "self", ".", "_did", ")", "self", ".", "_services", ".", "append", "(", "service", ")", "if", "'proof'", "in", "values", ":", "self", ".", "_proof", "=", "values", "[", "'proof'", "]" ]
Import a JSON dict into this DDO.
[ "Import", "a", "JSON", "dict", "into", "this", "DDO", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ddo/ddo.py#L166-L192
train
235,343
oceanprotocol/squid-py
squid_py/ddo/ddo.py
DDO.get_public_key
def get_public_key(self, key_id, is_search_embedded=False): """Key_id can be a string, or int. If int then the index in the list of keys.""" if isinstance(key_id, int): return self._public_keys[key_id] for item in self._public_keys: if item.get_id() == key_id: return item if is_search_embedded: for authentication in self._authentications: if authentication.get_public_key_id() == key_id: return authentication.get_public_key() return None
python
def get_public_key(self, key_id, is_search_embedded=False): """Key_id can be a string, or int. If int then the index in the list of keys.""" if isinstance(key_id, int): return self._public_keys[key_id] for item in self._public_keys: if item.get_id() == key_id: return item if is_search_embedded: for authentication in self._authentications: if authentication.get_public_key_id() == key_id: return authentication.get_public_key() return None
[ "def", "get_public_key", "(", "self", ",", "key_id", ",", "is_search_embedded", "=", "False", ")", ":", "if", "isinstance", "(", "key_id", ",", "int", ")", ":", "return", "self", ".", "_public_keys", "[", "key_id", "]", "for", "item", "in", "self", ".", "_public_keys", ":", "if", "item", ".", "get_id", "(", ")", "==", "key_id", ":", "return", "item", "if", "is_search_embedded", ":", "for", "authentication", "in", "self", ".", "_authentications", ":", "if", "authentication", ".", "get_public_key_id", "(", ")", "==", "key_id", ":", "return", "authentication", ".", "get_public_key", "(", ")", "return", "None" ]
Key_id can be a string, or int. If int then the index in the list of keys.
[ "Key_id", "can", "be", "a", "string", "or", "int", ".", "If", "int", "then", "the", "index", "in", "the", "list", "of", "keys", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ddo/ddo.py#L211-L224
train
235,344
oceanprotocol/squid-py
squid_py/ddo/ddo.py
DDO._get_public_key_count
def _get_public_key_count(self): """Return the count of public keys in the list and embedded.""" index = len(self._public_keys) for authentication in self._authentications: if authentication.is_public_key(): index += 1 return index
python
def _get_public_key_count(self): """Return the count of public keys in the list and embedded.""" index = len(self._public_keys) for authentication in self._authentications: if authentication.is_public_key(): index += 1 return index
[ "def", "_get_public_key_count", "(", "self", ")", ":", "index", "=", "len", "(", "self", ".", "_public_keys", ")", "for", "authentication", "in", "self", ".", "_authentications", ":", "if", "authentication", ".", "is_public_key", "(", ")", ":", "index", "+=", "1", "return", "index" ]
Return the count of public keys in the list and embedded.
[ "Return", "the", "count", "of", "public", "keys", "in", "the", "list", "and", "embedded", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ddo/ddo.py#L226-L232
train
235,345
oceanprotocol/squid-py
squid_py/ddo/ddo.py
DDO._get_authentication_from_public_key_id
def _get_authentication_from_public_key_id(self, key_id): """Return the authentication based on it's id.""" for authentication in self._authentications: if authentication.is_key_id(key_id): return authentication return None
python
def _get_authentication_from_public_key_id(self, key_id): """Return the authentication based on it's id.""" for authentication in self._authentications: if authentication.is_key_id(key_id): return authentication return None
[ "def", "_get_authentication_from_public_key_id", "(", "self", ",", "key_id", ")", ":", "for", "authentication", "in", "self", ".", "_authentications", ":", "if", "authentication", ".", "is_key_id", "(", "key_id", ")", ":", "return", "authentication", "return", "None" ]
Return the authentication based on it's id.
[ "Return", "the", "authentication", "based", "on", "it", "s", "id", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ddo/ddo.py#L234-L239
train
235,346
oceanprotocol/squid-py
squid_py/ddo/ddo.py
DDO.get_service
def get_service(self, service_type=None): """Return a service using.""" for service in self._services: if service.type == service_type and service_type: return service return None
python
def get_service(self, service_type=None): """Return a service using.""" for service in self._services: if service.type == service_type and service_type: return service return None
[ "def", "get_service", "(", "self", ",", "service_type", "=", "None", ")", ":", "for", "service", "in", "self", ".", "_services", ":", "if", "service", ".", "type", "==", "service_type", "and", "service_type", ":", "return", "service", "return", "None" ]
Return a service using.
[ "Return", "a", "service", "using", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ddo/ddo.py#L241-L246
train
235,347
oceanprotocol/squid-py
squid_py/ddo/ddo.py
DDO.find_service_by_id
def find_service_by_id(self, service_id): """ Get service for a given service_id. :param service_id: Service id, str :return: Service """ service_id_key = 'serviceDefinitionId' service_id = str(service_id) for service in self._services: if service_id_key in service.values and str( service.values[service_id_key]) == service_id: return service try: # If service_id is int or can be converted to int then we couldn't find it int(service_id) return None except ValueError: pass # try to find by type return self.find_service_by_type(service_id)
python
def find_service_by_id(self, service_id): """ Get service for a given service_id. :param service_id: Service id, str :return: Service """ service_id_key = 'serviceDefinitionId' service_id = str(service_id) for service in self._services: if service_id_key in service.values and str( service.values[service_id_key]) == service_id: return service try: # If service_id is int or can be converted to int then we couldn't find it int(service_id) return None except ValueError: pass # try to find by type return self.find_service_by_type(service_id)
[ "def", "find_service_by_id", "(", "self", ",", "service_id", ")", ":", "service_id_key", "=", "'serviceDefinitionId'", "service_id", "=", "str", "(", "service_id", ")", "for", "service", "in", "self", ".", "_services", ":", "if", "service_id_key", "in", "service", ".", "values", "and", "str", "(", "service", ".", "values", "[", "service_id_key", "]", ")", "==", "service_id", ":", "return", "service", "try", ":", "# If service_id is int or can be converted to int then we couldn't find it", "int", "(", "service_id", ")", "return", "None", "except", "ValueError", ":", "pass", "# try to find by type", "return", "self", ".", "find_service_by_type", "(", "service_id", ")" ]
Get service for a given service_id. :param service_id: Service id, str :return: Service
[ "Get", "service", "for", "a", "given", "service_id", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ddo/ddo.py#L248-L270
train
235,348
oceanprotocol/squid-py
squid_py/ddo/ddo.py
DDO.find_service_by_type
def find_service_by_type(self, service_type): """ Get service for a given service type. :param service_type: Service type, ServiceType :return: Service """ for service in self._services: if service_type == service.type: return service return None
python
def find_service_by_type(self, service_type): """ Get service for a given service type. :param service_type: Service type, ServiceType :return: Service """ for service in self._services: if service_type == service.type: return service return None
[ "def", "find_service_by_type", "(", "self", ",", "service_type", ")", ":", "for", "service", "in", "self", ".", "_services", ":", "if", "service_type", "==", "service", ".", "type", ":", "return", "service", "return", "None" ]
Get service for a given service type. :param service_type: Service type, ServiceType :return: Service
[ "Get", "service", "for", "a", "given", "service", "type", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ddo/ddo.py#L272-L282
train
235,349
oceanprotocol/squid-py
squid_py/ddo/ddo.py
DDO.create_public_key_from_json
def create_public_key_from_json(values): """Create a public key object based on the values from the JSON record.""" # currently we only support RSA public keys _id = values.get('id') if not _id: # Make it more forgiving for now. _id = '' # raise ValueError('publicKey definition is missing the "id" value.') if values.get('type') == PUBLIC_KEY_TYPE_RSA: public_key = PublicKeyRSA(_id, owner=values.get('owner')) else: public_key = PublicKeyBase(_id, owner=values.get('owner'), type='EthereumECDSAKey') public_key.set_key_value(values) return public_key
python
def create_public_key_from_json(values): """Create a public key object based on the values from the JSON record.""" # currently we only support RSA public keys _id = values.get('id') if not _id: # Make it more forgiving for now. _id = '' # raise ValueError('publicKey definition is missing the "id" value.') if values.get('type') == PUBLIC_KEY_TYPE_RSA: public_key = PublicKeyRSA(_id, owner=values.get('owner')) else: public_key = PublicKeyBase(_id, owner=values.get('owner'), type='EthereumECDSAKey') public_key.set_key_value(values) return public_key
[ "def", "create_public_key_from_json", "(", "values", ")", ":", "# currently we only support RSA public keys", "_id", "=", "values", ".", "get", "(", "'id'", ")", "if", "not", "_id", ":", "# Make it more forgiving for now.", "_id", "=", "''", "# raise ValueError('publicKey definition is missing the \"id\" value.')", "if", "values", ".", "get", "(", "'type'", ")", "==", "PUBLIC_KEY_TYPE_RSA", ":", "public_key", "=", "PublicKeyRSA", "(", "_id", ",", "owner", "=", "values", ".", "get", "(", "'owner'", ")", ")", "else", ":", "public_key", "=", "PublicKeyBase", "(", "_id", ",", "owner", "=", "values", ".", "get", "(", "'owner'", ")", ",", "type", "=", "'EthereumECDSAKey'", ")", "public_key", ".", "set_key_value", "(", "values", ")", "return", "public_key" ]
Create a public key object based on the values from the JSON record.
[ "Create", "a", "public", "key", "object", "based", "on", "the", "values", "from", "the", "JSON", "record", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ddo/ddo.py#L295-L310
train
235,350
oceanprotocol/squid-py
squid_py/ddo/ddo.py
DDO.create_authentication_from_json
def create_authentication_from_json(values): """Create authentitaciton object from a JSON string.""" key_id = values.get('publicKey') authentication_type = values.get('type') if not key_id: raise ValueError( f'Invalid authentication definition, "publicKey" is missing: {values}') authentication = {'type': authentication_type, 'publicKey': key_id} return authentication
python
def create_authentication_from_json(values): """Create authentitaciton object from a JSON string.""" key_id = values.get('publicKey') authentication_type = values.get('type') if not key_id: raise ValueError( f'Invalid authentication definition, "publicKey" is missing: {values}') authentication = {'type': authentication_type, 'publicKey': key_id} return authentication
[ "def", "create_authentication_from_json", "(", "values", ")", ":", "key_id", "=", "values", ".", "get", "(", "'publicKey'", ")", "authentication_type", "=", "values", ".", "get", "(", "'type'", ")", "if", "not", "key_id", ":", "raise", "ValueError", "(", "f'Invalid authentication definition, \"publicKey\" is missing: {values}'", ")", "authentication", "=", "{", "'type'", ":", "authentication_type", ",", "'publicKey'", ":", "key_id", "}", "return", "authentication" ]
Create authentitaciton object from a JSON string.
[ "Create", "authentitaciton", "object", "from", "a", "JSON", "string", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ddo/ddo.py#L313-L323
train
235,351
oceanprotocol/squid-py
squid_py/ddo/ddo.py
DDO.generate_checksum
def generate_checksum(did, metadata): """ Generation of the hash for integrity checksum. :param did: DID, str :param metadata: conforming to the Metadata accepted by Ocean Protocol, dict :return: hex str """ files_checksum = '' for file in metadata['base']['files']: if 'checksum' in file: files_checksum = files_checksum + file['checksum'] return hashlib.sha3_256((files_checksum + metadata['base']['name'] + metadata['base']['author'] + metadata['base']['license'] + did).encode('UTF-8')).hexdigest()
python
def generate_checksum(did, metadata): """ Generation of the hash for integrity checksum. :param did: DID, str :param metadata: conforming to the Metadata accepted by Ocean Protocol, dict :return: hex str """ files_checksum = '' for file in metadata['base']['files']: if 'checksum' in file: files_checksum = files_checksum + file['checksum'] return hashlib.sha3_256((files_checksum + metadata['base']['name'] + metadata['base']['author'] + metadata['base']['license'] + did).encode('UTF-8')).hexdigest()
[ "def", "generate_checksum", "(", "did", ",", "metadata", ")", ":", "files_checksum", "=", "''", "for", "file", "in", "metadata", "[", "'base'", "]", "[", "'files'", "]", ":", "if", "'checksum'", "in", "file", ":", "files_checksum", "=", "files_checksum", "+", "file", "[", "'checksum'", "]", "return", "hashlib", ".", "sha3_256", "(", "(", "files_checksum", "+", "metadata", "[", "'base'", "]", "[", "'name'", "]", "+", "metadata", "[", "'base'", "]", "[", "'author'", "]", "+", "metadata", "[", "'base'", "]", "[", "'license'", "]", "+", "did", ")", ".", "encode", "(", "'UTF-8'", ")", ")", ".", "hexdigest", "(", ")" ]
Generation of the hash for integrity checksum. :param did: DID, str :param metadata: conforming to the Metadata accepted by Ocean Protocol, dict :return: hex str
[ "Generation", "of", "the", "hash", "for", "integrity", "checksum", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ddo/ddo.py#L331-L347
train
235,352
oceanprotocol/squid-py
squid_py/keeper/didregistry.py
DIDRegistry.register
def register(self, did, checksum, url, account, providers=None): """ Register or update a DID on the block chain using the DIDRegistry smart contract. :param did: DID to register/update, can be a 32 byte or hexstring :param checksum: hex str hash of TODO :param url: URL of the resolved DID :param account: instance of Account to use to register/update the DID :param providers: list of addresses of providers to be allowed to serve the asset and play a part in creating and fulfilling service agreements :return: Receipt """ did_source_id = did_to_id_bytes(did) if not did_source_id: raise ValueError(f'{did} must be a valid DID to register') if not urlparse(url): raise ValueError(f'Invalid URL {url} to register for DID {did}') if checksum is None: checksum = Web3Provider.get_web3().toBytes(0) if not isinstance(checksum, bytes): raise ValueError(f'Invalid checksum value {checksum}, must be bytes or string') if account is None: raise ValueError('You must provide an account to use to register a DID') transaction = self._register_attribute( did_source_id, checksum, url, account, providers or [] ) receipt = self.get_tx_receipt(transaction) return receipt and receipt.status == 1
python
def register(self, did, checksum, url, account, providers=None): """ Register or update a DID on the block chain using the DIDRegistry smart contract. :param did: DID to register/update, can be a 32 byte or hexstring :param checksum: hex str hash of TODO :param url: URL of the resolved DID :param account: instance of Account to use to register/update the DID :param providers: list of addresses of providers to be allowed to serve the asset and play a part in creating and fulfilling service agreements :return: Receipt """ did_source_id = did_to_id_bytes(did) if not did_source_id: raise ValueError(f'{did} must be a valid DID to register') if not urlparse(url): raise ValueError(f'Invalid URL {url} to register for DID {did}') if checksum is None: checksum = Web3Provider.get_web3().toBytes(0) if not isinstance(checksum, bytes): raise ValueError(f'Invalid checksum value {checksum}, must be bytes or string') if account is None: raise ValueError('You must provide an account to use to register a DID') transaction = self._register_attribute( did_source_id, checksum, url, account, providers or [] ) receipt = self.get_tx_receipt(transaction) return receipt and receipt.status == 1
[ "def", "register", "(", "self", ",", "did", ",", "checksum", ",", "url", ",", "account", ",", "providers", "=", "None", ")", ":", "did_source_id", "=", "did_to_id_bytes", "(", "did", ")", "if", "not", "did_source_id", ":", "raise", "ValueError", "(", "f'{did} must be a valid DID to register'", ")", "if", "not", "urlparse", "(", "url", ")", ":", "raise", "ValueError", "(", "f'Invalid URL {url} to register for DID {did}'", ")", "if", "checksum", "is", "None", ":", "checksum", "=", "Web3Provider", ".", "get_web3", "(", ")", ".", "toBytes", "(", "0", ")", "if", "not", "isinstance", "(", "checksum", ",", "bytes", ")", ":", "raise", "ValueError", "(", "f'Invalid checksum value {checksum}, must be bytes or string'", ")", "if", "account", "is", "None", ":", "raise", "ValueError", "(", "'You must provide an account to use to register a DID'", ")", "transaction", "=", "self", ".", "_register_attribute", "(", "did_source_id", ",", "checksum", ",", "url", ",", "account", ",", "providers", "or", "[", "]", ")", "receipt", "=", "self", ".", "get_tx_receipt", "(", "transaction", ")", "return", "receipt", "and", "receipt", ".", "status", "==", "1" ]
Register or update a DID on the block chain using the DIDRegistry smart contract. :param did: DID to register/update, can be a 32 byte or hexstring :param checksum: hex str hash of TODO :param url: URL of the resolved DID :param account: instance of Account to use to register/update the DID :param providers: list of addresses of providers to be allowed to serve the asset and play a part in creating and fulfilling service agreements :return: Receipt
[ "Register", "or", "update", "a", "DID", "on", "the", "block", "chain", "using", "the", "DIDRegistry", "smart", "contract", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/keeper/didregistry.py#L29-L62
train
235,353
oceanprotocol/squid-py
squid_py/keeper/didregistry.py
DIDRegistry._register_attribute
def _register_attribute(self, did, checksum, value, account, providers): """Register an DID attribute as an event on the block chain. :param did: 32 byte string/hex of the DID :param checksum: checksum of the ddo, hex str :param value: url for resolve the did, str :param account: account owner of this DID registration record :param providers: list of providers addresses """ assert isinstance(providers, list), '' return self.send_transaction( 'registerAttribute', (did, checksum, providers, value), transact={'from': account.address, 'passphrase': account.password} )
python
def _register_attribute(self, did, checksum, value, account, providers): """Register an DID attribute as an event on the block chain. :param did: 32 byte string/hex of the DID :param checksum: checksum of the ddo, hex str :param value: url for resolve the did, str :param account: account owner of this DID registration record :param providers: list of providers addresses """ assert isinstance(providers, list), '' return self.send_transaction( 'registerAttribute', (did, checksum, providers, value), transact={'from': account.address, 'passphrase': account.password} )
[ "def", "_register_attribute", "(", "self", ",", "did", ",", "checksum", ",", "value", ",", "account", ",", "providers", ")", ":", "assert", "isinstance", "(", "providers", ",", "list", ")", ",", "''", "return", "self", ".", "send_transaction", "(", "'registerAttribute'", ",", "(", "did", ",", "checksum", ",", "providers", ",", "value", ")", ",", "transact", "=", "{", "'from'", ":", "account", ".", "address", ",", "'passphrase'", ":", "account", ".", "password", "}", ")" ]
Register an DID attribute as an event on the block chain. :param did: 32 byte string/hex of the DID :param checksum: checksum of the ddo, hex str :param value: url for resolve the did, str :param account: account owner of this DID registration record :param providers: list of providers addresses
[ "Register", "an", "DID", "attribute", "as", "an", "event", "on", "the", "block", "chain", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/keeper/didregistry.py#L64-L82
train
235,354
oceanprotocol/squid-py
squid_py/keeper/didregistry.py
DIDRegistry.remove_provider
def remove_provider(self, did, provider_address, account): """ Remove a provider :param did: the id of an asset on-chain, hex str :param provider_address: ethereum account address of the provider, hex str :param account: Account executing the action :return: """ tx_hash = self.send_transaction( 'removeDIDProvider', (did, provider_address), transact={'from': account.address, 'passphrase': account.password} ) return self.get_tx_receipt(tx_hash)
python
def remove_provider(self, did, provider_address, account): """ Remove a provider :param did: the id of an asset on-chain, hex str :param provider_address: ethereum account address of the provider, hex str :param account: Account executing the action :return: """ tx_hash = self.send_transaction( 'removeDIDProvider', (did, provider_address), transact={'from': account.address, 'passphrase': account.password} ) return self.get_tx_receipt(tx_hash)
[ "def", "remove_provider", "(", "self", ",", "did", ",", "provider_address", ",", "account", ")", ":", "tx_hash", "=", "self", ".", "send_transaction", "(", "'removeDIDProvider'", ",", "(", "did", ",", "provider_address", ")", ",", "transact", "=", "{", "'from'", ":", "account", ".", "address", ",", "'passphrase'", ":", "account", ".", "password", "}", ")", "return", "self", ".", "get_tx_receipt", "(", "tx_hash", ")" ]
Remove a provider :param did: the id of an asset on-chain, hex str :param provider_address: ethereum account address of the provider, hex str :param account: Account executing the action :return:
[ "Remove", "a", "provider" ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/keeper/didregistry.py#L115-L131
train
235,355
oceanprotocol/squid-py
squid_py/keeper/didregistry.py
DIDRegistry.get_did_providers
def get_did_providers(self, did): """ Return the list providers registered on-chain for the given did. :param did: hex str the id of an asset on-chain :return: list of addresses None if asset has no registerd providers """ register_values = self.contract_concise.getDIDRegister(did) if register_values and len(register_values) == 5: return DIDRegisterValues(*register_values).providers return None
python
def get_did_providers(self, did): """ Return the list providers registered on-chain for the given did. :param did: hex str the id of an asset on-chain :return: list of addresses None if asset has no registerd providers """ register_values = self.contract_concise.getDIDRegister(did) if register_values and len(register_values) == 5: return DIDRegisterValues(*register_values).providers return None
[ "def", "get_did_providers", "(", "self", ",", "did", ")", ":", "register_values", "=", "self", ".", "contract_concise", ".", "getDIDRegister", "(", "did", ")", "if", "register_values", "and", "len", "(", "register_values", ")", "==", "5", ":", "return", "DIDRegisterValues", "(", "*", "register_values", ")", ".", "providers", "return", "None" ]
Return the list providers registered on-chain for the given did. :param did: hex str the id of an asset on-chain :return: list of addresses None if asset has no registerd providers
[ "Return", "the", "list", "providers", "registered", "on", "-", "chain", "for", "the", "given", "did", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/keeper/didregistry.py#L143-L156
train
235,356
oceanprotocol/squid-py
squid_py/keeper/didregistry.py
DIDRegistry.get_owner_asset_ids
def get_owner_asset_ids(self, address): """ Get the list of assets owned by an address owner. :param address: ethereum account address, hex str :return: """ block_filter = self._get_event_filter(owner=address) log_items = block_filter.get_all_entries(max_tries=5) did_list = [] for log_i in log_items: did_list.append(id_to_did(log_i.args['_did'])) return did_list
python
def get_owner_asset_ids(self, address): """ Get the list of assets owned by an address owner. :param address: ethereum account address, hex str :return: """ block_filter = self._get_event_filter(owner=address) log_items = block_filter.get_all_entries(max_tries=5) did_list = [] for log_i in log_items: did_list.append(id_to_did(log_i.args['_did'])) return did_list
[ "def", "get_owner_asset_ids", "(", "self", ",", "address", ")", ":", "block_filter", "=", "self", ".", "_get_event_filter", "(", "owner", "=", "address", ")", "log_items", "=", "block_filter", ".", "get_all_entries", "(", "max_tries", "=", "5", ")", "did_list", "=", "[", "]", "for", "log_i", "in", "log_items", ":", "did_list", ".", "append", "(", "id_to_did", "(", "log_i", ".", "args", "[", "'_did'", "]", ")", ")", "return", "did_list" ]
Get the list of assets owned by an address owner. :param address: ethereum account address, hex str :return:
[ "Get", "the", "list", "of", "assets", "owned", "by", "an", "address", "owner", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/keeper/didregistry.py#L158-L171
train
235,357
oceanprotocol/squid-py
squid_py/ddo/public_key_rsa.py
PublicKeyRSA.set_encode_key_value
def set_encode_key_value(self, value, store_type=PUBLIC_KEY_STORE_TYPE_BASE64): """Set the value based on the type of encoding supported by RSA.""" if store_type == PUBLIC_KEY_STORE_TYPE_PEM: PublicKeyBase.set_encode_key_value(self, value.exportKey('PEM').decode(), store_type) else: PublicKeyBase.set_encode_key_value(self, value.exportKey('DER'), store_type)
python
def set_encode_key_value(self, value, store_type=PUBLIC_KEY_STORE_TYPE_BASE64): """Set the value based on the type of encoding supported by RSA.""" if store_type == PUBLIC_KEY_STORE_TYPE_PEM: PublicKeyBase.set_encode_key_value(self, value.exportKey('PEM').decode(), store_type) else: PublicKeyBase.set_encode_key_value(self, value.exportKey('DER'), store_type)
[ "def", "set_encode_key_value", "(", "self", ",", "value", ",", "store_type", "=", "PUBLIC_KEY_STORE_TYPE_BASE64", ")", ":", "if", "store_type", "==", "PUBLIC_KEY_STORE_TYPE_PEM", ":", "PublicKeyBase", ".", "set_encode_key_value", "(", "self", ",", "value", ".", "exportKey", "(", "'PEM'", ")", ".", "decode", "(", ")", ",", "store_type", ")", "else", ":", "PublicKeyBase", ".", "set_encode_key_value", "(", "self", ",", "value", ".", "exportKey", "(", "'DER'", ")", ",", "store_type", ")" ]
Set the value based on the type of encoding supported by RSA.
[ "Set", "the", "value", "based", "on", "the", "type", "of", "encoding", "supported", "by", "RSA", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ddo/public_key_rsa.py#L27-L32
train
235,358
oceanprotocol/squid-py
squid_py/did.py
did_parse
def did_parse(did): """ Parse a DID into it's parts. :param did: Asset did, str. :return: Python dictionary with the method and the id. """ if not isinstance(did, str): raise TypeError(f'Expecting DID of string type, got {did} of {type(did)} type') match = re.match('^did:([a-z0-9]+):([a-zA-Z0-9-.]+)(.*)', did) if not match: raise ValueError(f'DID {did} does not seem to be valid.') result = { 'method': match.group(1), 'id': match.group(2), } return result
python
def did_parse(did): """ Parse a DID into it's parts. :param did: Asset did, str. :return: Python dictionary with the method and the id. """ if not isinstance(did, str): raise TypeError(f'Expecting DID of string type, got {did} of {type(did)} type') match = re.match('^did:([a-z0-9]+):([a-zA-Z0-9-.]+)(.*)', did) if not match: raise ValueError(f'DID {did} does not seem to be valid.') result = { 'method': match.group(1), 'id': match.group(2), } return result
[ "def", "did_parse", "(", "did", ")", ":", "if", "not", "isinstance", "(", "did", ",", "str", ")", ":", "raise", "TypeError", "(", "f'Expecting DID of string type, got {did} of {type(did)} type'", ")", "match", "=", "re", ".", "match", "(", "'^did:([a-z0-9]+):([a-zA-Z0-9-.]+)(.*)'", ",", "did", ")", "if", "not", "match", ":", "raise", "ValueError", "(", "f'DID {did} does not seem to be valid.'", ")", "result", "=", "{", "'method'", ":", "match", ".", "group", "(", "1", ")", ",", "'id'", ":", "match", ".", "group", "(", "2", ")", ",", "}", "return", "result" ]
Parse a DID into it's parts. :param did: Asset did, str. :return: Python dictionary with the method and the id.
[ "Parse", "a", "DID", "into", "it", "s", "parts", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/did.py#L31-L50
train
235,359
oceanprotocol/squid-py
squid_py/did.py
id_to_did
def id_to_did(did_id, method='op'): """Return an Ocean DID from given a hex id.""" if isinstance(did_id, bytes): did_id = Web3.toHex(did_id) # remove leading '0x' of a hex string if isinstance(did_id, str): did_id = remove_0x_prefix(did_id) else: raise TypeError("did id must be a hex string or bytes") # test for zero address if Web3.toBytes(hexstr=did_id) == b'': did_id = '0' return f'did:{method}:{did_id}'
python
def id_to_did(did_id, method='op'): """Return an Ocean DID from given a hex id.""" if isinstance(did_id, bytes): did_id = Web3.toHex(did_id) # remove leading '0x' of a hex string if isinstance(did_id, str): did_id = remove_0x_prefix(did_id) else: raise TypeError("did id must be a hex string or bytes") # test for zero address if Web3.toBytes(hexstr=did_id) == b'': did_id = '0' return f'did:{method}:{did_id}'
[ "def", "id_to_did", "(", "did_id", ",", "method", "=", "'op'", ")", ":", "if", "isinstance", "(", "did_id", ",", "bytes", ")", ":", "did_id", "=", "Web3", ".", "toHex", "(", "did_id", ")", "# remove leading '0x' of a hex string", "if", "isinstance", "(", "did_id", ",", "str", ")", ":", "did_id", "=", "remove_0x_prefix", "(", "did_id", ")", "else", ":", "raise", "TypeError", "(", "\"did id must be a hex string or bytes\"", ")", "# test for zero address", "if", "Web3", ".", "toBytes", "(", "hexstr", "=", "did_id", ")", "==", "b''", ":", "did_id", "=", "'0'", "return", "f'did:{method}:{did_id}'" ]
Return an Ocean DID from given a hex id.
[ "Return", "an", "Ocean", "DID", "from", "given", "a", "hex", "id", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/did.py#L69-L83
train
235,360
oceanprotocol/squid-py
squid_py/did.py
did_to_id_bytes
def did_to_id_bytes(did): """ Return an Ocean DID to it's correspondng hex id in bytes. So did:op:<hex>, will return <hex> in byte format """ if isinstance(did, str): if re.match('^[0x]?[0-9A-Za-z]+$', did): raise ValueError(f'{did} must be a DID not a hex string') else: did_result = did_parse(did) if not did_result: raise ValueError(f'{did} is not a valid did') if not did_result['id']: raise ValueError(f'{did} is not a valid ocean did') id_bytes = Web3.toBytes(hexstr=did_result['id']) elif isinstance(did, bytes): id_bytes = did else: raise TypeError( f'Unknown did format, expected str or bytes, got {did} of type {type(did)}') return id_bytes
python
def did_to_id_bytes(did): """ Return an Ocean DID to it's correspondng hex id in bytes. So did:op:<hex>, will return <hex> in byte format """ if isinstance(did, str): if re.match('^[0x]?[0-9A-Za-z]+$', did): raise ValueError(f'{did} must be a DID not a hex string') else: did_result = did_parse(did) if not did_result: raise ValueError(f'{did} is not a valid did') if not did_result['id']: raise ValueError(f'{did} is not a valid ocean did') id_bytes = Web3.toBytes(hexstr=did_result['id']) elif isinstance(did, bytes): id_bytes = did else: raise TypeError( f'Unknown did format, expected str or bytes, got {did} of type {type(did)}') return id_bytes
[ "def", "did_to_id_bytes", "(", "did", ")", ":", "if", "isinstance", "(", "did", ",", "str", ")", ":", "if", "re", ".", "match", "(", "'^[0x]?[0-9A-Za-z]+$'", ",", "did", ")", ":", "raise", "ValueError", "(", "f'{did} must be a DID not a hex string'", ")", "else", ":", "did_result", "=", "did_parse", "(", "did", ")", "if", "not", "did_result", ":", "raise", "ValueError", "(", "f'{did} is not a valid did'", ")", "if", "not", "did_result", "[", "'id'", "]", ":", "raise", "ValueError", "(", "f'{did} is not a valid ocean did'", ")", "id_bytes", "=", "Web3", ".", "toBytes", "(", "hexstr", "=", "did_result", "[", "'id'", "]", ")", "elif", "isinstance", "(", "did", ",", "bytes", ")", ":", "id_bytes", "=", "did", "else", ":", "raise", "TypeError", "(", "f'Unknown did format, expected str or bytes, got {did} of type {type(did)}'", ")", "return", "id_bytes" ]
Return an Ocean DID to it's correspondng hex id in bytes. So did:op:<hex>, will return <hex> in byte format
[ "Return", "an", "Ocean", "DID", "to", "it", "s", "correspondng", "hex", "id", "in", "bytes", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/did.py#L94-L115
train
235,361
oceanprotocol/squid-py
squid_py/keeper/templates/template_manager.py
TemplateStoreManager.get_template
def get_template(self, template_id): """ Get the template for a given template id. :param template_id: id of the template, str :return: """ template = self.contract_concise.getTemplate(template_id) if template and len(template) == 4: return AgreementTemplate(*template) return None
python
def get_template(self, template_id): """ Get the template for a given template id. :param template_id: id of the template, str :return: """ template = self.contract_concise.getTemplate(template_id) if template and len(template) == 4: return AgreementTemplate(*template) return None
[ "def", "get_template", "(", "self", ",", "template_id", ")", ":", "template", "=", "self", ".", "contract_concise", ".", "getTemplate", "(", "template_id", ")", "if", "template", "and", "len", "(", "template", ")", "==", "4", ":", "return", "AgreementTemplate", "(", "*", "template", ")", "return", "None" ]
Get the template for a given template id. :param template_id: id of the template, str :return:
[ "Get", "the", "template", "for", "a", "given", "template", "id", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/keeper/templates/template_manager.py#L19-L30
train
235,362
oceanprotocol/squid-py
squid_py/keeper/templates/template_manager.py
TemplateStoreManager.propose_template
def propose_template(self, template_id, from_account): """Propose a template. :param template_id: id of the template, str :param from_account: Account :return: bool """ tx_hash = self.send_transaction( 'proposeTemplate', (template_id,), transact={'from': from_account.address, 'passphrase': from_account.password}) return self.get_tx_receipt(tx_hash).status == 1
python
def propose_template(self, template_id, from_account): """Propose a template. :param template_id: id of the template, str :param from_account: Account :return: bool """ tx_hash = self.send_transaction( 'proposeTemplate', (template_id,), transact={'from': from_account.address, 'passphrase': from_account.password}) return self.get_tx_receipt(tx_hash).status == 1
[ "def", "propose_template", "(", "self", ",", "template_id", ",", "from_account", ")", ":", "tx_hash", "=", "self", ".", "send_transaction", "(", "'proposeTemplate'", ",", "(", "template_id", ",", ")", ",", "transact", "=", "{", "'from'", ":", "from_account", ".", "address", ",", "'passphrase'", ":", "from_account", ".", "password", "}", ")", "return", "self", ".", "get_tx_receipt", "(", "tx_hash", ")", ".", "status", "==", "1" ]
Propose a template. :param template_id: id of the template, str :param from_account: Account :return: bool
[ "Propose", "a", "template", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/keeper/templates/template_manager.py#L32-L44
train
235,363
oceanprotocol/squid-py
squid_py/agreements/service_factory.py
ServiceDescriptor.access_service_descriptor
def access_service_descriptor(price, consume_endpoint, service_endpoint, timeout, template_id): """ Access service descriptor. :param price: Asset price, int :param consume_endpoint: url of the service provider, str :param service_endpoint: identifier of the service inside the asset DDO, str :param timeout: amount of time in seconds before the agreement expires, int :param template_id: id of the template use to create the service, str :return: Service descriptor. """ return (ServiceTypes.ASSET_ACCESS, {'price': price, 'consumeEndpoint': consume_endpoint, 'serviceEndpoint': service_endpoint, 'timeout': timeout, 'templateId': template_id})
python
def access_service_descriptor(price, consume_endpoint, service_endpoint, timeout, template_id): """ Access service descriptor. :param price: Asset price, int :param consume_endpoint: url of the service provider, str :param service_endpoint: identifier of the service inside the asset DDO, str :param timeout: amount of time in seconds before the agreement expires, int :param template_id: id of the template use to create the service, str :return: Service descriptor. """ return (ServiceTypes.ASSET_ACCESS, {'price': price, 'consumeEndpoint': consume_endpoint, 'serviceEndpoint': service_endpoint, 'timeout': timeout, 'templateId': template_id})
[ "def", "access_service_descriptor", "(", "price", ",", "consume_endpoint", ",", "service_endpoint", ",", "timeout", ",", "template_id", ")", ":", "return", "(", "ServiceTypes", ".", "ASSET_ACCESS", ",", "{", "'price'", ":", "price", ",", "'consumeEndpoint'", ":", "consume_endpoint", ",", "'serviceEndpoint'", ":", "service_endpoint", ",", "'timeout'", ":", "timeout", ",", "'templateId'", ":", "template_id", "}", ")" ]
Access service descriptor. :param price: Asset price, int :param consume_endpoint: url of the service provider, str :param service_endpoint: identifier of the service inside the asset DDO, str :param timeout: amount of time in seconds before the agreement expires, int :param template_id: id of the template use to create the service, str :return: Service descriptor.
[ "Access", "service", "descriptor", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/agreements/service_factory.py#L42-L56
train
235,364
oceanprotocol/squid-py
squid_py/agreements/service_factory.py
ServiceDescriptor.compute_service_descriptor
def compute_service_descriptor(price, consume_endpoint, service_endpoint, timeout): """ Compute service descriptor. :param price: Asset price, int :param consume_endpoint: url of the service provider, str :param service_endpoint: identifier of the service inside the asset DDO, str :param timeout: amount of time in seconds before the agreement expires, int :return: Service descriptor. """ return (ServiceTypes.CLOUD_COMPUTE, {'price': price, 'consumeEndpoint': consume_endpoint, 'serviceEndpoint': service_endpoint, 'timeout': timeout})
python
def compute_service_descriptor(price, consume_endpoint, service_endpoint, timeout): """ Compute service descriptor. :param price: Asset price, int :param consume_endpoint: url of the service provider, str :param service_endpoint: identifier of the service inside the asset DDO, str :param timeout: amount of time in seconds before the agreement expires, int :return: Service descriptor. """ return (ServiceTypes.CLOUD_COMPUTE, {'price': price, 'consumeEndpoint': consume_endpoint, 'serviceEndpoint': service_endpoint, 'timeout': timeout})
[ "def", "compute_service_descriptor", "(", "price", ",", "consume_endpoint", ",", "service_endpoint", ",", "timeout", ")", ":", "return", "(", "ServiceTypes", ".", "CLOUD_COMPUTE", ",", "{", "'price'", ":", "price", ",", "'consumeEndpoint'", ":", "consume_endpoint", ",", "'serviceEndpoint'", ":", "service_endpoint", ",", "'timeout'", ":", "timeout", "}", ")" ]
Compute service descriptor. :param price: Asset price, int :param consume_endpoint: url of the service provider, str :param service_endpoint: identifier of the service inside the asset DDO, str :param timeout: amount of time in seconds before the agreement expires, int :return: Service descriptor.
[ "Compute", "service", "descriptor", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/agreements/service_factory.py#L59-L72
train
235,365
oceanprotocol/squid-py
squid_py/agreements/service_factory.py
ServiceFactory.build_services
def build_services(did, service_descriptors): """ Build a list of services. :param did: DID, str :param service_descriptors: List of tuples of length 2. The first item must be one of ServiceTypes and the second item is a dict of parameters and values required by the service :return: List of Services """ services = [] sa_def_key = ServiceAgreement.SERVICE_DEFINITION_ID for i, service_desc in enumerate(service_descriptors): service = ServiceFactory.build_service(service_desc, did) # set serviceDefinitionId for each service service.update_value(sa_def_key, str(i)) services.append(service) return services
python
def build_services(did, service_descriptors): """ Build a list of services. :param did: DID, str :param service_descriptors: List of tuples of length 2. The first item must be one of ServiceTypes and the second item is a dict of parameters and values required by the service :return: List of Services """ services = [] sa_def_key = ServiceAgreement.SERVICE_DEFINITION_ID for i, service_desc in enumerate(service_descriptors): service = ServiceFactory.build_service(service_desc, did) # set serviceDefinitionId for each service service.update_value(sa_def_key, str(i)) services.append(service) return services
[ "def", "build_services", "(", "did", ",", "service_descriptors", ")", ":", "services", "=", "[", "]", "sa_def_key", "=", "ServiceAgreement", ".", "SERVICE_DEFINITION_ID", "for", "i", ",", "service_desc", "in", "enumerate", "(", "service_descriptors", ")", ":", "service", "=", "ServiceFactory", ".", "build_service", "(", "service_desc", ",", "did", ")", "# set serviceDefinitionId for each service", "service", ".", "update_value", "(", "sa_def_key", ",", "str", "(", "i", ")", ")", "services", ".", "append", "(", "service", ")", "return", "services" ]
Build a list of services. :param did: DID, str :param service_descriptors: List of tuples of length 2. The first item must be one of ServiceTypes and the second item is a dict of parameters and values required by the service :return: List of Services
[ "Build", "a", "list", "of", "services", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/agreements/service_factory.py#L79-L97
train
235,366
oceanprotocol/squid-py
squid_py/agreements/service_factory.py
ServiceFactory.build_service
def build_service(service_descriptor, did): """ Build a service. :param service_descriptor: Tuples of length 2. The first item must be one of ServiceTypes and the second item is a dict of parameters and values required by the service :param did: DID, str :return: Service """ assert isinstance(service_descriptor, tuple) and len( service_descriptor) == 2, 'Unknown service descriptor format.' service_type, kwargs = service_descriptor if service_type == ServiceTypes.METADATA: return ServiceFactory.build_metadata_service( did, kwargs['metadata'], kwargs['serviceEndpoint'] ) elif service_type == ServiceTypes.AUTHORIZATION: return ServiceFactory.build_authorization_service( kwargs['serviceEndpoint'] ) elif service_type == ServiceTypes.ASSET_ACCESS: return ServiceFactory.build_access_service( did, kwargs['price'], kwargs['consumeEndpoint'], kwargs['serviceEndpoint'], kwargs['timeout'], kwargs['templateId'] ) elif service_type == ServiceTypes.CLOUD_COMPUTE: return ServiceFactory.build_compute_service( did, kwargs['price'], kwargs['consumeEndpoint'], kwargs['serviceEndpoint'], kwargs['timeout'] ) raise ValueError(f'Unknown service type {service_type}')
python
def build_service(service_descriptor, did): """ Build a service. :param service_descriptor: Tuples of length 2. The first item must be one of ServiceTypes and the second item is a dict of parameters and values required by the service :param did: DID, str :return: Service """ assert isinstance(service_descriptor, tuple) and len( service_descriptor) == 2, 'Unknown service descriptor format.' service_type, kwargs = service_descriptor if service_type == ServiceTypes.METADATA: return ServiceFactory.build_metadata_service( did, kwargs['metadata'], kwargs['serviceEndpoint'] ) elif service_type == ServiceTypes.AUTHORIZATION: return ServiceFactory.build_authorization_service( kwargs['serviceEndpoint'] ) elif service_type == ServiceTypes.ASSET_ACCESS: return ServiceFactory.build_access_service( did, kwargs['price'], kwargs['consumeEndpoint'], kwargs['serviceEndpoint'], kwargs['timeout'], kwargs['templateId'] ) elif service_type == ServiceTypes.CLOUD_COMPUTE: return ServiceFactory.build_compute_service( did, kwargs['price'], kwargs['consumeEndpoint'], kwargs['serviceEndpoint'], kwargs['timeout'] ) raise ValueError(f'Unknown service type {service_type}')
[ "def", "build_service", "(", "service_descriptor", ",", "did", ")", ":", "assert", "isinstance", "(", "service_descriptor", ",", "tuple", ")", "and", "len", "(", "service_descriptor", ")", "==", "2", ",", "'Unknown service descriptor format.'", "service_type", ",", "kwargs", "=", "service_descriptor", "if", "service_type", "==", "ServiceTypes", ".", "METADATA", ":", "return", "ServiceFactory", ".", "build_metadata_service", "(", "did", ",", "kwargs", "[", "'metadata'", "]", ",", "kwargs", "[", "'serviceEndpoint'", "]", ")", "elif", "service_type", "==", "ServiceTypes", ".", "AUTHORIZATION", ":", "return", "ServiceFactory", ".", "build_authorization_service", "(", "kwargs", "[", "'serviceEndpoint'", "]", ")", "elif", "service_type", "==", "ServiceTypes", ".", "ASSET_ACCESS", ":", "return", "ServiceFactory", ".", "build_access_service", "(", "did", ",", "kwargs", "[", "'price'", "]", ",", "kwargs", "[", "'consumeEndpoint'", "]", ",", "kwargs", "[", "'serviceEndpoint'", "]", ",", "kwargs", "[", "'timeout'", "]", ",", "kwargs", "[", "'templateId'", "]", ")", "elif", "service_type", "==", "ServiceTypes", ".", "CLOUD_COMPUTE", ":", "return", "ServiceFactory", ".", "build_compute_service", "(", "did", ",", "kwargs", "[", "'price'", "]", ",", "kwargs", "[", "'consumeEndpoint'", "]", ",", "kwargs", "[", "'serviceEndpoint'", "]", ",", "kwargs", "[", "'timeout'", "]", ")", "raise", "ValueError", "(", "f'Unknown service type {service_type}'", ")" ]
Build a service. :param service_descriptor: Tuples of length 2. The first item must be one of ServiceTypes and the second item is a dict of parameters and values required by the service :param did: DID, str :return: Service
[ "Build", "a", "service", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/agreements/service_factory.py#L100-L137
train
235,367
oceanprotocol/squid-py
squid_py/agreements/service_factory.py
ServiceFactory.build_metadata_service
def build_metadata_service(did, metadata, service_endpoint): """ Build a metadata service. :param did: DID, str :param metadata: conforming to the Metadata accepted by Ocean Protocol, dict :param service_endpoint: identifier of the service inside the asset DDO, str :return: Service """ return Service(service_endpoint, ServiceTypes.METADATA, values={'metadata': metadata}, did=did)
python
def build_metadata_service(did, metadata, service_endpoint): """ Build a metadata service. :param did: DID, str :param metadata: conforming to the Metadata accepted by Ocean Protocol, dict :param service_endpoint: identifier of the service inside the asset DDO, str :return: Service """ return Service(service_endpoint, ServiceTypes.METADATA, values={'metadata': metadata}, did=did)
[ "def", "build_metadata_service", "(", "did", ",", "metadata", ",", "service_endpoint", ")", ":", "return", "Service", "(", "service_endpoint", ",", "ServiceTypes", ".", "METADATA", ",", "values", "=", "{", "'metadata'", ":", "metadata", "}", ",", "did", "=", "did", ")" ]
Build a metadata service. :param did: DID, str :param metadata: conforming to the Metadata accepted by Ocean Protocol, dict :param service_endpoint: identifier of the service inside the asset DDO, str :return: Service
[ "Build", "a", "metadata", "service", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/agreements/service_factory.py#L140-L152
train
235,368
oceanprotocol/squid-py
squid_py/agreements/service_factory.py
ServiceFactory.build_access_service
def build_access_service(did, price, consume_endpoint, service_endpoint, timeout, template_id): """ Build the access service. :param did: DID, str :param price: Asset price, int :param consume_endpoint: url of the service provider, str :param service_endpoint: identifier of the service inside the asset DDO, str :param timeout: amount of time in seconds before the agreement expires, int :param template_id: id of the template use to create the service, str :return: ServiceAgreement """ # TODO fill all the possible mappings param_map = { '_documentId': did_to_id(did), '_amount': price, '_rewardAddress': Keeper.get_instance().escrow_reward_condition.address, } sla_template_path = get_sla_template_path() sla_template = ServiceAgreementTemplate.from_json_file(sla_template_path) sla_template.template_id = template_id conditions = sla_template.conditions[:] for cond in conditions: for param in cond.parameters: param.value = param_map.get(param.name, '') if cond.timeout > 0: cond.timeout = timeout sla_template.set_conditions(conditions) sa = ServiceAgreement( 1, sla_template, consume_endpoint, service_endpoint, ServiceTypes.ASSET_ACCESS ) sa.set_did(did) return sa
python
def build_access_service(did, price, consume_endpoint, service_endpoint, timeout, template_id): """ Build the access service. :param did: DID, str :param price: Asset price, int :param consume_endpoint: url of the service provider, str :param service_endpoint: identifier of the service inside the asset DDO, str :param timeout: amount of time in seconds before the agreement expires, int :param template_id: id of the template use to create the service, str :return: ServiceAgreement """ # TODO fill all the possible mappings param_map = { '_documentId': did_to_id(did), '_amount': price, '_rewardAddress': Keeper.get_instance().escrow_reward_condition.address, } sla_template_path = get_sla_template_path() sla_template = ServiceAgreementTemplate.from_json_file(sla_template_path) sla_template.template_id = template_id conditions = sla_template.conditions[:] for cond in conditions: for param in cond.parameters: param.value = param_map.get(param.name, '') if cond.timeout > 0: cond.timeout = timeout sla_template.set_conditions(conditions) sa = ServiceAgreement( 1, sla_template, consume_endpoint, service_endpoint, ServiceTypes.ASSET_ACCESS ) sa.set_did(did) return sa
[ "def", "build_access_service", "(", "did", ",", "price", ",", "consume_endpoint", ",", "service_endpoint", ",", "timeout", ",", "template_id", ")", ":", "# TODO fill all the possible mappings", "param_map", "=", "{", "'_documentId'", ":", "did_to_id", "(", "did", ")", ",", "'_amount'", ":", "price", ",", "'_rewardAddress'", ":", "Keeper", ".", "get_instance", "(", ")", ".", "escrow_reward_condition", ".", "address", ",", "}", "sla_template_path", "=", "get_sla_template_path", "(", ")", "sla_template", "=", "ServiceAgreementTemplate", ".", "from_json_file", "(", "sla_template_path", ")", "sla_template", ".", "template_id", "=", "template_id", "conditions", "=", "sla_template", ".", "conditions", "[", ":", "]", "for", "cond", "in", "conditions", ":", "for", "param", "in", "cond", ".", "parameters", ":", "param", ".", "value", "=", "param_map", ".", "get", "(", "param", ".", "name", ",", "''", ")", "if", "cond", ".", "timeout", ">", "0", ":", "cond", ".", "timeout", "=", "timeout", "sla_template", ".", "set_conditions", "(", "conditions", ")", "sa", "=", "ServiceAgreement", "(", "1", ",", "sla_template", ",", "consume_endpoint", ",", "service_endpoint", ",", "ServiceTypes", ".", "ASSET_ACCESS", ")", "sa", ".", "set_did", "(", "did", ")", "return", "sa" ]
Build the access service. :param did: DID, str :param price: Asset price, int :param consume_endpoint: url of the service provider, str :param service_endpoint: identifier of the service inside the asset DDO, str :param timeout: amount of time in seconds before the agreement expires, int :param template_id: id of the template use to create the service, str :return: ServiceAgreement
[ "Build", "the", "access", "service", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/agreements/service_factory.py#L166-L204
train
235,369
oceanprotocol/squid-py
squid_py/agreements/storage.py
record_service_agreement
def record_service_agreement(storage_path, service_agreement_id, did, service_definition_id, price, files, start_time, status='pending'): """ Records the given pending service agreement. :param storage_path: storage path for the internal db, str :param service_agreement_id: :param did: DID, str :param service_definition_id: identifier of the service inside the asset DDO, str :param price: Asset price, int :param files: :param start_time: :param status: :return: """ conn = sqlite3.connect(storage_path) try: cursor = conn.cursor() cursor.execute( '''CREATE TABLE IF NOT EXISTS service_agreements (id VARCHAR PRIMARY KEY, did VARCHAR, service_definition_id INTEGER, price INTEGER, files VARCHAR, start_time INTEGER, status VARCHAR(10));''' ) cursor.execute( 'INSERT OR REPLACE INTO service_agreements VALUES (?,?,?,?,?,?,?)', [service_agreement_id, did, service_definition_id, price, files, start_time, status], ) conn.commit() finally: conn.close()
python
def record_service_agreement(storage_path, service_agreement_id, did, service_definition_id, price, files, start_time, status='pending'): """ Records the given pending service agreement. :param storage_path: storage path for the internal db, str :param service_agreement_id: :param did: DID, str :param service_definition_id: identifier of the service inside the asset DDO, str :param price: Asset price, int :param files: :param start_time: :param status: :return: """ conn = sqlite3.connect(storage_path) try: cursor = conn.cursor() cursor.execute( '''CREATE TABLE IF NOT EXISTS service_agreements (id VARCHAR PRIMARY KEY, did VARCHAR, service_definition_id INTEGER, price INTEGER, files VARCHAR, start_time INTEGER, status VARCHAR(10));''' ) cursor.execute( 'INSERT OR REPLACE INTO service_agreements VALUES (?,?,?,?,?,?,?)', [service_agreement_id, did, service_definition_id, price, files, start_time, status], ) conn.commit() finally: conn.close()
[ "def", "record_service_agreement", "(", "storage_path", ",", "service_agreement_id", ",", "did", ",", "service_definition_id", ",", "price", ",", "files", ",", "start_time", ",", "status", "=", "'pending'", ")", ":", "conn", "=", "sqlite3", ".", "connect", "(", "storage_path", ")", "try", ":", "cursor", "=", "conn", ".", "cursor", "(", ")", "cursor", ".", "execute", "(", "'''CREATE TABLE IF NOT EXISTS service_agreements\n (id VARCHAR PRIMARY KEY, did VARCHAR, service_definition_id INTEGER, \n price INTEGER, files VARCHAR, start_time INTEGER, status VARCHAR(10));'''", ")", "cursor", ".", "execute", "(", "'INSERT OR REPLACE INTO service_agreements VALUES (?,?,?,?,?,?,?)'", ",", "[", "service_agreement_id", ",", "did", ",", "service_definition_id", ",", "price", ",", "files", ",", "start_time", ",", "status", "]", ",", ")", "conn", ".", "commit", "(", ")", "finally", ":", "conn", ".", "close", "(", ")" ]
Records the given pending service agreement. :param storage_path: storage path for the internal db, str :param service_agreement_id: :param did: DID, str :param service_definition_id: identifier of the service inside the asset DDO, str :param price: Asset price, int :param files: :param start_time: :param status: :return:
[ "Records", "the", "given", "pending", "service", "agreement", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/agreements/storage.py#L8-L39
train
235,370
oceanprotocol/squid-py
squid_py/agreements/storage.py
update_service_agreement_status
def update_service_agreement_status(storage_path, service_agreement_id, status='pending'): """ Update the service agreement status. :param storage_path: storage path for the internal db, str :param service_agreement_id: :param status: :return: """ conn = sqlite3.connect(storage_path) try: cursor = conn.cursor() cursor.execute( 'UPDATE service_agreements SET status=? WHERE id=?', (status, service_agreement_id), ) conn.commit() finally: conn.close()
python
def update_service_agreement_status(storage_path, service_agreement_id, status='pending'): """ Update the service agreement status. :param storage_path: storage path for the internal db, str :param service_agreement_id: :param status: :return: """ conn = sqlite3.connect(storage_path) try: cursor = conn.cursor() cursor.execute( 'UPDATE service_agreements SET status=? WHERE id=?', (status, service_agreement_id), ) conn.commit() finally: conn.close()
[ "def", "update_service_agreement_status", "(", "storage_path", ",", "service_agreement_id", ",", "status", "=", "'pending'", ")", ":", "conn", "=", "sqlite3", ".", "connect", "(", "storage_path", ")", "try", ":", "cursor", "=", "conn", ".", "cursor", "(", ")", "cursor", ".", "execute", "(", "'UPDATE service_agreements SET status=? WHERE id=?'", ",", "(", "status", ",", "service_agreement_id", ")", ",", ")", "conn", ".", "commit", "(", ")", "finally", ":", "conn", ".", "close", "(", ")" ]
Update the service agreement status. :param storage_path: storage path for the internal db, str :param service_agreement_id: :param status: :return:
[ "Update", "the", "service", "agreement", "status", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/agreements/storage.py#L42-L60
train
235,371
oceanprotocol/squid-py
squid_py/log.py
setup_logging
def setup_logging(default_path='logging.yaml', default_level=logging.INFO, env_key='LOG_CFG'): """Logging setup.""" path = default_path value = os.getenv(env_key, None) if value: path = value if os.path.exists(path): with open(path, 'rt') as file: try: config = yaml.safe_load(file.read()) logging.config.dictConfig(config) coloredlogs.install() logging.info(f'Logging configuration loaded from file: {path}') except Exception as ex: print(ex) print('Error in Logging Configuration. Using default configs') logging.basicConfig(level=default_level) coloredlogs.install(level=default_level) else: logging.basicConfig(level=default_level) coloredlogs.install(level=default_level) print('Using default logging settings.')
python
def setup_logging(default_path='logging.yaml', default_level=logging.INFO, env_key='LOG_CFG'): """Logging setup.""" path = default_path value = os.getenv(env_key, None) if value: path = value if os.path.exists(path): with open(path, 'rt') as file: try: config = yaml.safe_load(file.read()) logging.config.dictConfig(config) coloredlogs.install() logging.info(f'Logging configuration loaded from file: {path}') except Exception as ex: print(ex) print('Error in Logging Configuration. Using default configs') logging.basicConfig(level=default_level) coloredlogs.install(level=default_level) else: logging.basicConfig(level=default_level) coloredlogs.install(level=default_level) print('Using default logging settings.')
[ "def", "setup_logging", "(", "default_path", "=", "'logging.yaml'", ",", "default_level", "=", "logging", ".", "INFO", ",", "env_key", "=", "'LOG_CFG'", ")", ":", "path", "=", "default_path", "value", "=", "os", ".", "getenv", "(", "env_key", ",", "None", ")", "if", "value", ":", "path", "=", "value", "if", "os", ".", "path", ".", "exists", "(", "path", ")", ":", "with", "open", "(", "path", ",", "'rt'", ")", "as", "file", ":", "try", ":", "config", "=", "yaml", ".", "safe_load", "(", "file", ".", "read", "(", ")", ")", "logging", ".", "config", ".", "dictConfig", "(", "config", ")", "coloredlogs", ".", "install", "(", ")", "logging", ".", "info", "(", "f'Logging configuration loaded from file: {path}'", ")", "except", "Exception", "as", "ex", ":", "print", "(", "ex", ")", "print", "(", "'Error in Logging Configuration. Using default configs'", ")", "logging", ".", "basicConfig", "(", "level", "=", "default_level", ")", "coloredlogs", ".", "install", "(", "level", "=", "default_level", ")", "else", ":", "logging", ".", "basicConfig", "(", "level", "=", "default_level", ")", "coloredlogs", ".", "install", "(", "level", "=", "default_level", ")", "print", "(", "'Using default logging settings.'", ")" ]
Logging setup.
[ "Logging", "setup", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/log.py#L13-L34
train
235,372
oceanprotocol/squid-py
squid_py/ocean/ocean_secret_store.py
OceanSecretStore.encrypt
def encrypt(self, document_id, content, account): """ Encrypt string data using the DID as an secret store id, if secret store is enabled then return the result from secret store encryption None for no encryption performed :param document_id: hex str id of document to use for encryption session :param content: str to be encrypted :param account: Account instance encrypting this content :return: hex str encrypted content """ return self._secret_store(account).encrypt_document(document_id, content)
python
def encrypt(self, document_id, content, account): """ Encrypt string data using the DID as an secret store id, if secret store is enabled then return the result from secret store encryption None for no encryption performed :param document_id: hex str id of document to use for encryption session :param content: str to be encrypted :param account: Account instance encrypting this content :return: hex str encrypted content """ return self._secret_store(account).encrypt_document(document_id, content)
[ "def", "encrypt", "(", "self", ",", "document_id", ",", "content", ",", "account", ")", ":", "return", "self", ".", "_secret_store", "(", "account", ")", ".", "encrypt_document", "(", "document_id", ",", "content", ")" ]
Encrypt string data using the DID as an secret store id, if secret store is enabled then return the result from secret store encryption None for no encryption performed :param document_id: hex str id of document to use for encryption session :param content: str to be encrypted :param account: Account instance encrypting this content :return: hex str encrypted content
[ "Encrypt", "string", "data", "using", "the", "DID", "as", "an", "secret", "store", "id", "if", "secret", "store", "is", "enabled", "then", "return", "the", "result", "from", "secret", "store", "encryption" ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ocean/ocean_secret_store.py#L34-L46
train
235,373
oceanprotocol/squid-py
squid_py/did_resolver/did_resolver.py
DIDResolver.get_resolve_url
def get_resolve_url(self, did_bytes): """Return a did value and value type from the block chain event record using 'did'. :param did_bytes: DID, hex-str :return url: Url, str """ data = self._did_registry.get_registered_attribute(did_bytes) if not (data and data.get('value')): return None return data['value']
python
def get_resolve_url(self, did_bytes): """Return a did value and value type from the block chain event record using 'did'. :param did_bytes: DID, hex-str :return url: Url, str """ data = self._did_registry.get_registered_attribute(did_bytes) if not (data and data.get('value')): return None return data['value']
[ "def", "get_resolve_url", "(", "self", ",", "did_bytes", ")", ":", "data", "=", "self", ".", "_did_registry", ".", "get_registered_attribute", "(", "did_bytes", ")", "if", "not", "(", "data", "and", "data", ".", "get", "(", "'value'", ")", ")", ":", "return", "None", "return", "data", "[", "'value'", "]" ]
Return a did value and value type from the block chain event record using 'did'. :param did_bytes: DID, hex-str :return url: Url, str
[ "Return", "a", "did", "value", "and", "value", "type", "from", "the", "block", "chain", "event", "record", "using", "did", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/did_resolver/did_resolver.py#L46-L56
train
235,374
oceanprotocol/squid-py
squid_py/keeper/contract_base.py
ContractBase.get_instance
def get_instance(cls, dependencies=None): """ Return an instance for a contract name. :param dependencies: :return: Contract base instance """ assert cls is not ContractBase, 'ContractBase is not meant to be used directly.' assert cls.CONTRACT_NAME, 'CONTRACT_NAME must be set to a valid keeper contract name.' return cls(cls.CONTRACT_NAME, dependencies)
python
def get_instance(cls, dependencies=None): """ Return an instance for a contract name. :param dependencies: :return: Contract base instance """ assert cls is not ContractBase, 'ContractBase is not meant to be used directly.' assert cls.CONTRACT_NAME, 'CONTRACT_NAME must be set to a valid keeper contract name.' return cls(cls.CONTRACT_NAME, dependencies)
[ "def", "get_instance", "(", "cls", ",", "dependencies", "=", "None", ")", ":", "assert", "cls", "is", "not", "ContractBase", ",", "'ContractBase is not meant to be used directly.'", "assert", "cls", ".", "CONTRACT_NAME", ",", "'CONTRACT_NAME must be set to a valid keeper contract name.'", "return", "cls", "(", "cls", ".", "CONTRACT_NAME", ",", "dependencies", ")" ]
Return an instance for a contract name. :param dependencies: :return: Contract base instance
[ "Return", "an", "instance", "for", "a", "contract", "name", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/keeper/contract_base.py#L38-L47
train
235,375
oceanprotocol/squid-py
squid_py/keeper/contract_base.py
ContractBase.get_tx_receipt
def get_tx_receipt(tx_hash): """ Get the receipt of a tx. :param tx_hash: hash of the transaction :return: Tx receipt """ try: Web3Provider.get_web3().eth.waitForTransactionReceipt(tx_hash, timeout=20) except Timeout: logger.info('Waiting for transaction receipt timed out.') return return Web3Provider.get_web3().eth.getTransactionReceipt(tx_hash)
python
def get_tx_receipt(tx_hash): """ Get the receipt of a tx. :param tx_hash: hash of the transaction :return: Tx receipt """ try: Web3Provider.get_web3().eth.waitForTransactionReceipt(tx_hash, timeout=20) except Timeout: logger.info('Waiting for transaction receipt timed out.') return return Web3Provider.get_web3().eth.getTransactionReceipt(tx_hash)
[ "def", "get_tx_receipt", "(", "tx_hash", ")", ":", "try", ":", "Web3Provider", ".", "get_web3", "(", ")", ".", "eth", ".", "waitForTransactionReceipt", "(", "tx_hash", ",", "timeout", "=", "20", ")", "except", "Timeout", ":", "logger", ".", "info", "(", "'Waiting for transaction receipt timed out.'", ")", "return", "return", "Web3Provider", ".", "get_web3", "(", ")", ".", "eth", ".", "getTransactionReceipt", "(", "tx_hash", ")" ]
Get the receipt of a tx. :param tx_hash: hash of the transaction :return: Tx receipt
[ "Get", "the", "receipt", "of", "a", "tx", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/keeper/contract_base.py#L83-L95
train
235,376
oceanprotocol/squid-py
squid_py/keeper/contract_base.py
ContractBase.subscribe_to_event
def subscribe_to_event(self, event_name, timeout, event_filter, callback=False, timeout_callback=None, args=None, wait=False): """ Create a listener for the event choose. :param event_name: name of the event to subscribe, str :param timeout: :param event_filter: :param callback: :param timeout_callback: :param args: :param wait: if true block the listener until get the event, bool :return: """ from squid_py.keeper.event_listener import EventListener return EventListener( self.CONTRACT_NAME, event_name, args, filters=event_filter ).listen_once( callback, timeout_callback=timeout_callback, timeout=timeout, blocking=wait )
python
def subscribe_to_event(self, event_name, timeout, event_filter, callback=False, timeout_callback=None, args=None, wait=False): """ Create a listener for the event choose. :param event_name: name of the event to subscribe, str :param timeout: :param event_filter: :param callback: :param timeout_callback: :param args: :param wait: if true block the listener until get the event, bool :return: """ from squid_py.keeper.event_listener import EventListener return EventListener( self.CONTRACT_NAME, event_name, args, filters=event_filter ).listen_once( callback, timeout_callback=timeout_callback, timeout=timeout, blocking=wait )
[ "def", "subscribe_to_event", "(", "self", ",", "event_name", ",", "timeout", ",", "event_filter", ",", "callback", "=", "False", ",", "timeout_callback", "=", "None", ",", "args", "=", "None", ",", "wait", "=", "False", ")", ":", "from", "squid_py", ".", "keeper", ".", "event_listener", "import", "EventListener", "return", "EventListener", "(", "self", ".", "CONTRACT_NAME", ",", "event_name", ",", "args", ",", "filters", "=", "event_filter", ")", ".", "listen_once", "(", "callback", ",", "timeout_callback", "=", "timeout_callback", ",", "timeout", "=", "timeout", ",", "blocking", "=", "wait", ")" ]
Create a listener for the event choose. :param event_name: name of the event to subscribe, str :param timeout: :param event_filter: :param callback: :param timeout_callback: :param args: :param wait: if true block the listener until get the event, bool :return:
[ "Create", "a", "listener", "for", "the", "event", "choose", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/keeper/contract_base.py#L97-L122
train
235,377
oceanprotocol/squid-py
squid_py/agreements/events/escrow_reward_condition.py
refund_reward
def refund_reward(event, agreement_id, did, service_agreement, price, consumer_account, publisher_address, condition_ids): """ Refund the reward to the publisher address. :param event: AttributeDict with the event data. :param agreement_id: id of the agreement, hex str :param did: DID, str :param service_agreement: ServiceAgreement instance :param price: Asset price, int :param consumer_account: Account instance of the consumer :param publisher_address: ethereum account address of publisher, hex str :param condition_ids: is a list of bytes32 content-addressed Condition IDs, bytes32 """ logger.debug(f"trigger refund after event {event}.") access_id, lock_id = condition_ids[:2] name_to_parameter = {param.name: param for param in service_agreement.condition_by_name['escrowReward'].parameters} document_id = add_0x_prefix(name_to_parameter['_documentId'].value) asset_id = add_0x_prefix(did_to_id(did)) assert document_id == asset_id, f'document_id {document_id} <=> asset_id {asset_id} mismatch.' assert price == service_agreement.get_price(), 'price mismatch.' # logger.info(f'About to do grantAccess: account {account.address}, # saId {service_agreement_id}, ' # f'documentKeyId {document_key_id}') try: tx_hash = Keeper.get_instance().escrow_reward_condition.fulfill( agreement_id, price, publisher_address, consumer_account.address, lock_id, access_id, consumer_account ) process_tx_receipt( tx_hash, Keeper.get_instance().escrow_reward_condition.FULFILLED_EVENT, 'EscrowReward.Fulfilled' ) except Exception as e: # logger.error(f'Error when doing escrow_reward_condition.fulfills: {e}') raise e
python
def refund_reward(event, agreement_id, did, service_agreement, price, consumer_account, publisher_address, condition_ids): """ Refund the reward to the publisher address. :param event: AttributeDict with the event data. :param agreement_id: id of the agreement, hex str :param did: DID, str :param service_agreement: ServiceAgreement instance :param price: Asset price, int :param consumer_account: Account instance of the consumer :param publisher_address: ethereum account address of publisher, hex str :param condition_ids: is a list of bytes32 content-addressed Condition IDs, bytes32 """ logger.debug(f"trigger refund after event {event}.") access_id, lock_id = condition_ids[:2] name_to_parameter = {param.name: param for param in service_agreement.condition_by_name['escrowReward'].parameters} document_id = add_0x_prefix(name_to_parameter['_documentId'].value) asset_id = add_0x_prefix(did_to_id(did)) assert document_id == asset_id, f'document_id {document_id} <=> asset_id {asset_id} mismatch.' assert price == service_agreement.get_price(), 'price mismatch.' # logger.info(f'About to do grantAccess: account {account.address}, # saId {service_agreement_id}, ' # f'documentKeyId {document_key_id}') try: tx_hash = Keeper.get_instance().escrow_reward_condition.fulfill( agreement_id, price, publisher_address, consumer_account.address, lock_id, access_id, consumer_account ) process_tx_receipt( tx_hash, Keeper.get_instance().escrow_reward_condition.FULFILLED_EVENT, 'EscrowReward.Fulfilled' ) except Exception as e: # logger.error(f'Error when doing escrow_reward_condition.fulfills: {e}') raise e
[ "def", "refund_reward", "(", "event", ",", "agreement_id", ",", "did", ",", "service_agreement", ",", "price", ",", "consumer_account", ",", "publisher_address", ",", "condition_ids", ")", ":", "logger", ".", "debug", "(", "f\"trigger refund after event {event}.\"", ")", "access_id", ",", "lock_id", "=", "condition_ids", "[", ":", "2", "]", "name_to_parameter", "=", "{", "param", ".", "name", ":", "param", "for", "param", "in", "service_agreement", ".", "condition_by_name", "[", "'escrowReward'", "]", ".", "parameters", "}", "document_id", "=", "add_0x_prefix", "(", "name_to_parameter", "[", "'_documentId'", "]", ".", "value", ")", "asset_id", "=", "add_0x_prefix", "(", "did_to_id", "(", "did", ")", ")", "assert", "document_id", "==", "asset_id", ",", "f'document_id {document_id} <=> asset_id {asset_id} mismatch.'", "assert", "price", "==", "service_agreement", ".", "get_price", "(", ")", ",", "'price mismatch.'", "# logger.info(f'About to do grantAccess: account {account.address},", "# saId {service_agreement_id}, '", "# f'documentKeyId {document_key_id}')", "try", ":", "tx_hash", "=", "Keeper", ".", "get_instance", "(", ")", ".", "escrow_reward_condition", ".", "fulfill", "(", "agreement_id", ",", "price", ",", "publisher_address", ",", "consumer_account", ".", "address", ",", "lock_id", ",", "access_id", ",", "consumer_account", ")", "process_tx_receipt", "(", "tx_hash", ",", "Keeper", ".", "get_instance", "(", ")", ".", "escrow_reward_condition", ".", "FULFILLED_EVENT", ",", "'EscrowReward.Fulfilled'", ")", "except", "Exception", "as", "e", ":", "# logger.error(f'Error when doing escrow_reward_condition.fulfills: {e}')", "raise", "e" ]
Refund the reward to the publisher address. :param event: AttributeDict with the event data. :param agreement_id: id of the agreement, hex str :param did: DID, str :param service_agreement: ServiceAgreement instance :param price: Asset price, int :param consumer_account: Account instance of the consumer :param publisher_address: ethereum account address of publisher, hex str :param condition_ids: is a list of bytes32 content-addressed Condition IDs, bytes32
[ "Refund", "the", "reward", "to", "the", "publisher", "address", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/agreements/events/escrow_reward_condition.py#L56-L98
train
235,378
oceanprotocol/squid-py
squid_py/agreements/events/escrow_reward_condition.py
consume_asset
def consume_asset(event, agreement_id, did, service_agreement, consumer_account, consume_callback): """ Consumption of an asset after get the event call. :param event: AttributeDict with the event data. :param agreement_id: id of the agreement, hex str :param did: DID, str :param service_agreement: ServiceAgreement instance :param consumer_account: Account instance of the consumer :param consume_callback: """ logger.debug(f"consuming asset after event {event}.") if consume_callback: config = ConfigProvider.get_config() secret_store = SecretStoreProvider.get_secret_store( config.secret_store_url, config.parity_url, consumer_account ) brizo = BrizoProvider.get_brizo() consume_callback( agreement_id, service_agreement.service_definition_id, DIDResolver(Keeper.get_instance().did_registry).resolve(did), consumer_account, ConfigProvider.get_config().downloads_path, brizo, secret_store )
python
def consume_asset(event, agreement_id, did, service_agreement, consumer_account, consume_callback): """ Consumption of an asset after get the event call. :param event: AttributeDict with the event data. :param agreement_id: id of the agreement, hex str :param did: DID, str :param service_agreement: ServiceAgreement instance :param consumer_account: Account instance of the consumer :param consume_callback: """ logger.debug(f"consuming asset after event {event}.") if consume_callback: config = ConfigProvider.get_config() secret_store = SecretStoreProvider.get_secret_store( config.secret_store_url, config.parity_url, consumer_account ) brizo = BrizoProvider.get_brizo() consume_callback( agreement_id, service_agreement.service_definition_id, DIDResolver(Keeper.get_instance().did_registry).resolve(did), consumer_account, ConfigProvider.get_config().downloads_path, brizo, secret_store )
[ "def", "consume_asset", "(", "event", ",", "agreement_id", ",", "did", ",", "service_agreement", ",", "consumer_account", ",", "consume_callback", ")", ":", "logger", ".", "debug", "(", "f\"consuming asset after event {event}.\"", ")", "if", "consume_callback", ":", "config", "=", "ConfigProvider", ".", "get_config", "(", ")", "secret_store", "=", "SecretStoreProvider", ".", "get_secret_store", "(", "config", ".", "secret_store_url", ",", "config", ".", "parity_url", ",", "consumer_account", ")", "brizo", "=", "BrizoProvider", ".", "get_brizo", "(", ")", "consume_callback", "(", "agreement_id", ",", "service_agreement", ".", "service_definition_id", ",", "DIDResolver", "(", "Keeper", ".", "get_instance", "(", ")", ".", "did_registry", ")", ".", "resolve", "(", "did", ")", ",", "consumer_account", ",", "ConfigProvider", ".", "get_config", "(", ")", ".", "downloads_path", ",", "brizo", ",", "secret_store", ")" ]
Consumption of an asset after get the event call. :param event: AttributeDict with the event data. :param agreement_id: id of the agreement, hex str :param did: DID, str :param service_agreement: ServiceAgreement instance :param consumer_account: Account instance of the consumer :param consume_callback:
[ "Consumption", "of", "an", "asset", "after", "get", "the", "event", "call", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/agreements/events/escrow_reward_condition.py#L101-L128
train
235,379
oceanprotocol/squid-py
squid_py/keeper/diagnostics.py
Diagnostics.verify_contracts
def verify_contracts(): """ Verify that the contracts are deployed correctly in the network. :raise Exception: raise exception if the contracts are not deployed correctly. """ artifacts_path = ConfigProvider.get_config().keeper_path logger.info(f'Keeper contract artifacts (JSON abi files) at: {artifacts_path}') if os.environ.get('KEEPER_NETWORK_NAME'): logger.warning(f'The `KEEPER_NETWORK_NAME` env var is set to ' f'{os.environ.get("KEEPER_NETWORK_NAME")}. ' f'This enables the user to override the method of how the network name ' f'is inferred from network id.') # try to find contract with this network name contract_name = Diagnostics.TEST_CONTRACT_NAME network_id = Keeper.get_network_id() network_name = Keeper.get_network_name(network_id) logger.info(f'Using keeper contracts from network {network_name}, ' f'network id is {network_id}') logger.info(f'Looking for keeper contracts ending with ".{network_name}.json", ' f'e.g. "{contract_name}.{network_name}.json".') existing_contract_names = os.listdir(artifacts_path) try: ContractHandler.get(contract_name) except Exception as e: logger.error(e) logger.error(f'Cannot find the keeper contracts. \n' f'Current network id is {network_id} and network name is {network_name}.' f'Expected to find contracts ending with ".{network_name}.json",' f' e.g. "{contract_name}.{network_name}.json"') raise OceanKeeperContractsNotFound( f'Keeper contracts for keeper network {network_name} were not found ' f'in {artifacts_path}. \n' f'Found the following contracts: \n\t{existing_contract_names}' ) keeper = Keeper.get_instance() contracts = [keeper.dispenser, keeper.token, keeper.did_registry, keeper.agreement_manager, keeper.template_manager, keeper.condition_manager, keeper.access_secret_store_condition, keeper.sign_condition, keeper.lock_reward_condition, keeper.escrow_access_secretstore_template, keeper.escrow_reward_condition, keeper.hash_lock_condition ] addresses = '\n'.join([f'\t{c.name}: {c.address}' for c in contracts]) logging.info('Finished loading keeper contracts:\n' '%s', addresses)
python
def verify_contracts(): """ Verify that the contracts are deployed correctly in the network. :raise Exception: raise exception if the contracts are not deployed correctly. """ artifacts_path = ConfigProvider.get_config().keeper_path logger.info(f'Keeper contract artifacts (JSON abi files) at: {artifacts_path}') if os.environ.get('KEEPER_NETWORK_NAME'): logger.warning(f'The `KEEPER_NETWORK_NAME` env var is set to ' f'{os.environ.get("KEEPER_NETWORK_NAME")}. ' f'This enables the user to override the method of how the network name ' f'is inferred from network id.') # try to find contract with this network name contract_name = Diagnostics.TEST_CONTRACT_NAME network_id = Keeper.get_network_id() network_name = Keeper.get_network_name(network_id) logger.info(f'Using keeper contracts from network {network_name}, ' f'network id is {network_id}') logger.info(f'Looking for keeper contracts ending with ".{network_name}.json", ' f'e.g. "{contract_name}.{network_name}.json".') existing_contract_names = os.listdir(artifacts_path) try: ContractHandler.get(contract_name) except Exception as e: logger.error(e) logger.error(f'Cannot find the keeper contracts. \n' f'Current network id is {network_id} and network name is {network_name}.' f'Expected to find contracts ending with ".{network_name}.json",' f' e.g. "{contract_name}.{network_name}.json"') raise OceanKeeperContractsNotFound( f'Keeper contracts for keeper network {network_name} were not found ' f'in {artifacts_path}. \n' f'Found the following contracts: \n\t{existing_contract_names}' ) keeper = Keeper.get_instance() contracts = [keeper.dispenser, keeper.token, keeper.did_registry, keeper.agreement_manager, keeper.template_manager, keeper.condition_manager, keeper.access_secret_store_condition, keeper.sign_condition, keeper.lock_reward_condition, keeper.escrow_access_secretstore_template, keeper.escrow_reward_condition, keeper.hash_lock_condition ] addresses = '\n'.join([f'\t{c.name}: {c.address}' for c in contracts]) logging.info('Finished loading keeper contracts:\n' '%s', addresses)
[ "def", "verify_contracts", "(", ")", ":", "artifacts_path", "=", "ConfigProvider", ".", "get_config", "(", ")", ".", "keeper_path", "logger", ".", "info", "(", "f'Keeper contract artifacts (JSON abi files) at: {artifacts_path}'", ")", "if", "os", ".", "environ", ".", "get", "(", "'KEEPER_NETWORK_NAME'", ")", ":", "logger", ".", "warning", "(", "f'The `KEEPER_NETWORK_NAME` env var is set to '", "f'{os.environ.get(\"KEEPER_NETWORK_NAME\")}. '", "f'This enables the user to override the method of how the network name '", "f'is inferred from network id.'", ")", "# try to find contract with this network name", "contract_name", "=", "Diagnostics", ".", "TEST_CONTRACT_NAME", "network_id", "=", "Keeper", ".", "get_network_id", "(", ")", "network_name", "=", "Keeper", ".", "get_network_name", "(", "network_id", ")", "logger", ".", "info", "(", "f'Using keeper contracts from network {network_name}, '", "f'network id is {network_id}'", ")", "logger", ".", "info", "(", "f'Looking for keeper contracts ending with \".{network_name}.json\", '", "f'e.g. \"{contract_name}.{network_name}.json\".'", ")", "existing_contract_names", "=", "os", ".", "listdir", "(", "artifacts_path", ")", "try", ":", "ContractHandler", ".", "get", "(", "contract_name", ")", "except", "Exception", "as", "e", ":", "logger", ".", "error", "(", "e", ")", "logger", ".", "error", "(", "f'Cannot find the keeper contracts. \\n'", "f'Current network id is {network_id} and network name is {network_name}.'", "f'Expected to find contracts ending with \".{network_name}.json\",'", "f' e.g. \"{contract_name}.{network_name}.json\"'", ")", "raise", "OceanKeeperContractsNotFound", "(", "f'Keeper contracts for keeper network {network_name} were not found '", "f'in {artifacts_path}. \\n'", "f'Found the following contracts: \\n\\t{existing_contract_names}'", ")", "keeper", "=", "Keeper", ".", "get_instance", "(", ")", "contracts", "=", "[", "keeper", ".", "dispenser", ",", "keeper", ".", "token", ",", "keeper", ".", "did_registry", ",", "keeper", ".", "agreement_manager", ",", "keeper", ".", "template_manager", ",", "keeper", ".", "condition_manager", ",", "keeper", ".", "access_secret_store_condition", ",", "keeper", ".", "sign_condition", ",", "keeper", ".", "lock_reward_condition", ",", "keeper", ".", "escrow_access_secretstore_template", ",", "keeper", ".", "escrow_reward_condition", ",", "keeper", ".", "hash_lock_condition", "]", "addresses", "=", "'\\n'", ".", "join", "(", "[", "f'\\t{c.name}: {c.address}'", "for", "c", "in", "contracts", "]", ")", "logging", ".", "info", "(", "'Finished loading keeper contracts:\\n'", "'%s'", ",", "addresses", ")" ]
Verify that the contracts are deployed correctly in the network. :raise Exception: raise exception if the contracts are not deployed correctly.
[ "Verify", "that", "the", "contracts", "are", "deployed", "correctly", "in", "the", "network", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/keeper/diagnostics.py#L19-L66
train
235,380
oceanprotocol/squid-py
squid_py/ocean/ocean_services.py
OceanServices.create_access_service
def create_access_service(price, service_endpoint, consume_endpoint, timeout=None): """ Publish an asset with an `Access` service according to the supplied attributes. :param price: Asset price, int :param service_endpoint: str URL for initiating service access request :param consume_endpoint: str URL to consume service :param timeout: int amount of time in seconds before the agreement expires :return: Service instance or None """ timeout = timeout or 3600 # default to one hour timeout service = ServiceDescriptor.access_service_descriptor( price, service_endpoint, consume_endpoint, timeout, '' ) return service
python
def create_access_service(price, service_endpoint, consume_endpoint, timeout=None): """ Publish an asset with an `Access` service according to the supplied attributes. :param price: Asset price, int :param service_endpoint: str URL for initiating service access request :param consume_endpoint: str URL to consume service :param timeout: int amount of time in seconds before the agreement expires :return: Service instance or None """ timeout = timeout or 3600 # default to one hour timeout service = ServiceDescriptor.access_service_descriptor( price, service_endpoint, consume_endpoint, timeout, '' ) return service
[ "def", "create_access_service", "(", "price", ",", "service_endpoint", ",", "consume_endpoint", ",", "timeout", "=", "None", ")", ":", "timeout", "=", "timeout", "or", "3600", "# default to one hour timeout", "service", "=", "ServiceDescriptor", ".", "access_service_descriptor", "(", "price", ",", "service_endpoint", ",", "consume_endpoint", ",", "timeout", ",", "''", ")", "return", "service" ]
Publish an asset with an `Access` service according to the supplied attributes. :param price: Asset price, int :param service_endpoint: str URL for initiating service access request :param consume_endpoint: str URL to consume service :param timeout: int amount of time in seconds before the agreement expires :return: Service instance or None
[ "Publish", "an", "asset", "with", "an", "Access", "service", "according", "to", "the", "supplied", "attributes", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ocean/ocean_services.py#L12-L27
train
235,381
oceanprotocol/squid-py
squid_py/ocean/ocean_conditions.py
OceanConditions.lock_reward
def lock_reward(self, agreement_id, amount, account): """ Lock reward condition. :param agreement_id: id of the agreement, hex str :param amount: Amount of tokens, int :param account: Account :return: bool """ return self._keeper.lock_reward_condition.fulfill( agreement_id, self._keeper.escrow_reward_condition.address, amount, account )
python
def lock_reward(self, agreement_id, amount, account): """ Lock reward condition. :param agreement_id: id of the agreement, hex str :param amount: Amount of tokens, int :param account: Account :return: bool """ return self._keeper.lock_reward_condition.fulfill( agreement_id, self._keeper.escrow_reward_condition.address, amount, account )
[ "def", "lock_reward", "(", "self", ",", "agreement_id", ",", "amount", ",", "account", ")", ":", "return", "self", ".", "_keeper", ".", "lock_reward_condition", ".", "fulfill", "(", "agreement_id", ",", "self", ".", "_keeper", ".", "escrow_reward_condition", ".", "address", ",", "amount", ",", "account", ")" ]
Lock reward condition. :param agreement_id: id of the agreement, hex str :param amount: Amount of tokens, int :param account: Account :return: bool
[ "Lock", "reward", "condition", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ocean/ocean_conditions.py#L15-L26
train
235,382
oceanprotocol/squid-py
squid_py/ocean/ocean_conditions.py
OceanConditions.grant_access
def grant_access(self, agreement_id, did, grantee_address, account): """ Grant access condition. :param agreement_id: id of the agreement, hex str :param did: DID, str :param grantee_address: Address, hex str :param account: Account :return: """ return self._keeper.access_secret_store_condition.fulfill( agreement_id, add_0x_prefix(did_to_id(did)), grantee_address, account )
python
def grant_access(self, agreement_id, did, grantee_address, account): """ Grant access condition. :param agreement_id: id of the agreement, hex str :param did: DID, str :param grantee_address: Address, hex str :param account: Account :return: """ return self._keeper.access_secret_store_condition.fulfill( agreement_id, add_0x_prefix(did_to_id(did)), grantee_address, account )
[ "def", "grant_access", "(", "self", ",", "agreement_id", ",", "did", ",", "grantee_address", ",", "account", ")", ":", "return", "self", ".", "_keeper", ".", "access_secret_store_condition", ".", "fulfill", "(", "agreement_id", ",", "add_0x_prefix", "(", "did_to_id", "(", "did", ")", ")", ",", "grantee_address", ",", "account", ")" ]
Grant access condition. :param agreement_id: id of the agreement, hex str :param did: DID, str :param grantee_address: Address, hex str :param account: Account :return:
[ "Grant", "access", "condition", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ocean/ocean_conditions.py#L28-L40
train
235,383
oceanprotocol/squid-py
squid_py/ocean/ocean_conditions.py
OceanConditions.release_reward
def release_reward(self, agreement_id, amount, account): """ Release reward condition. :param agreement_id: id of the agreement, hex str :param amount: Amount of tokens, int :param account: Account :return: """ agreement_values = self._keeper.agreement_manager.get_agreement(agreement_id) consumer, provider = self._keeper.escrow_access_secretstore_template.get_agreement_data( agreement_id) access_id, lock_id = agreement_values.condition_ids[:2] return self._keeper.escrow_reward_condition.fulfill( agreement_id, amount, provider, consumer, lock_id, access_id, account )
python
def release_reward(self, agreement_id, amount, account): """ Release reward condition. :param agreement_id: id of the agreement, hex str :param amount: Amount of tokens, int :param account: Account :return: """ agreement_values = self._keeper.agreement_manager.get_agreement(agreement_id) consumer, provider = self._keeper.escrow_access_secretstore_template.get_agreement_data( agreement_id) access_id, lock_id = agreement_values.condition_ids[:2] return self._keeper.escrow_reward_condition.fulfill( agreement_id, amount, provider, consumer, lock_id, access_id, account )
[ "def", "release_reward", "(", "self", ",", "agreement_id", ",", "amount", ",", "account", ")", ":", "agreement_values", "=", "self", ".", "_keeper", ".", "agreement_manager", ".", "get_agreement", "(", "agreement_id", ")", "consumer", ",", "provider", "=", "self", ".", "_keeper", ".", "escrow_access_secretstore_template", ".", "get_agreement_data", "(", "agreement_id", ")", "access_id", ",", "lock_id", "=", "agreement_values", ".", "condition_ids", "[", ":", "2", "]", "return", "self", ".", "_keeper", ".", "escrow_reward_condition", ".", "fulfill", "(", "agreement_id", ",", "amount", ",", "provider", ",", "consumer", ",", "lock_id", ",", "access_id", ",", "account", ")" ]
Release reward condition. :param agreement_id: id of the agreement, hex str :param amount: Amount of tokens, int :param account: Account :return:
[ "Release", "reward", "condition", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ocean/ocean_conditions.py#L42-L63
train
235,384
oceanprotocol/squid-py
squid_py/ocean/ocean_conditions.py
OceanConditions.refund_reward
def refund_reward(self, agreement_id, amount, account): """ Refund reaward condition. :param agreement_id: id of the agreement, hex str :param amount: Amount of tokens, int :param account: Account :return: """ return self.release_reward(agreement_id, amount, account)
python
def refund_reward(self, agreement_id, amount, account): """ Refund reaward condition. :param agreement_id: id of the agreement, hex str :param amount: Amount of tokens, int :param account: Account :return: """ return self.release_reward(agreement_id, amount, account)
[ "def", "refund_reward", "(", "self", ",", "agreement_id", ",", "amount", ",", "account", ")", ":", "return", "self", ".", "release_reward", "(", "agreement_id", ",", "amount", ",", "account", ")" ]
Refund reaward condition. :param agreement_id: id of the agreement, hex str :param amount: Amount of tokens, int :param account: Account :return:
[ "Refund", "reaward", "condition", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ocean/ocean_conditions.py#L65-L74
train
235,385
oceanprotocol/squid-py
squid_py/agreements/service_agreement_template.py
ServiceAgreementTemplate.from_json_file
def from_json_file(cls, path): """ Return a template from a json allocated in a path. :param path: string :return: ServiceAgreementTemplate """ with open(path) as jsf: template_json = json.load(jsf) return cls(template_json=template_json)
python
def from_json_file(cls, path): """ Return a template from a json allocated in a path. :param path: string :return: ServiceAgreementTemplate """ with open(path) as jsf: template_json = json.load(jsf) return cls(template_json=template_json)
[ "def", "from_json_file", "(", "cls", ",", "path", ")", ":", "with", "open", "(", "path", ")", "as", "jsf", ":", "template_json", "=", "json", ".", "load", "(", "jsf", ")", "return", "cls", "(", "template_json", "=", "template_json", ")" ]
Return a template from a json allocated in a path. :param path: string :return: ServiceAgreementTemplate
[ "Return", "a", "template", "from", "a", "json", "allocated", "in", "a", "path", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/agreements/service_agreement_template.py#L24-L33
train
235,386
oceanprotocol/squid-py
squid_py/agreements/service_agreement_template.py
ServiceAgreementTemplate.parse_template_json
def parse_template_json(self, template_json): """ Parse a template from a json. :param template_json: json dict """ assert template_json['type'] == self.DOCUMENT_TYPE, '' self.template_id = template_json['templateId'] self.name = template_json.get('name') self.creator = template_json.get('creator') self.template = template_json['serviceAgreementTemplate']
python
def parse_template_json(self, template_json): """ Parse a template from a json. :param template_json: json dict """ assert template_json['type'] == self.DOCUMENT_TYPE, '' self.template_id = template_json['templateId'] self.name = template_json.get('name') self.creator = template_json.get('creator') self.template = template_json['serviceAgreementTemplate']
[ "def", "parse_template_json", "(", "self", ",", "template_json", ")", ":", "assert", "template_json", "[", "'type'", "]", "==", "self", ".", "DOCUMENT_TYPE", ",", "''", "self", ".", "template_id", "=", "template_json", "[", "'templateId'", "]", "self", ".", "name", "=", "template_json", ".", "get", "(", "'name'", ")", "self", ".", "creator", "=", "template_json", ".", "get", "(", "'creator'", ")", "self", ".", "template", "=", "template_json", "[", "'serviceAgreementTemplate'", "]" ]
Parse a template from a json. :param template_json: json dict
[ "Parse", "a", "template", "from", "a", "json", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/agreements/service_agreement_template.py#L35-L45
train
235,387
oceanprotocol/squid-py
squid_py/agreements/service_agreement_template.py
ServiceAgreementTemplate.as_dictionary
def as_dictionary(self): """ Return the service agreement template as a dictionary. :return: dict """ template = { 'contractName': self.contract_name, 'events': [e.as_dictionary() for e in self.agreement_events], 'fulfillmentOrder': self.fulfillment_order, 'conditionDependency': self.condition_dependency, 'conditions': [cond.as_dictionary() for cond in self.conditions] } return { # 'type': self.DOCUMENT_TYPE, 'name': self.name, 'creator': self.creator, 'serviceAgreementTemplate': template }
python
def as_dictionary(self): """ Return the service agreement template as a dictionary. :return: dict """ template = { 'contractName': self.contract_name, 'events': [e.as_dictionary() for e in self.agreement_events], 'fulfillmentOrder': self.fulfillment_order, 'conditionDependency': self.condition_dependency, 'conditions': [cond.as_dictionary() for cond in self.conditions] } return { # 'type': self.DOCUMENT_TYPE, 'name': self.name, 'creator': self.creator, 'serviceAgreementTemplate': template }
[ "def", "as_dictionary", "(", "self", ")", ":", "template", "=", "{", "'contractName'", ":", "self", ".", "contract_name", ",", "'events'", ":", "[", "e", ".", "as_dictionary", "(", ")", "for", "e", "in", "self", ".", "agreement_events", "]", ",", "'fulfillmentOrder'", ":", "self", ".", "fulfillment_order", ",", "'conditionDependency'", ":", "self", ".", "condition_dependency", ",", "'conditions'", ":", "[", "cond", ".", "as_dictionary", "(", ")", "for", "cond", "in", "self", ".", "conditions", "]", "}", "return", "{", "# 'type': self.DOCUMENT_TYPE,", "'name'", ":", "self", ".", "name", ",", "'creator'", ":", "self", ".", "creator", ",", "'serviceAgreementTemplate'", ":", "template", "}" ]
Return the service agreement template as a dictionary. :return: dict
[ "Return", "the", "service", "agreement", "template", "as", "a", "dictionary", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/agreements/service_agreement_template.py#L110-L128
train
235,388
oceanprotocol/squid-py
squid_py/ocean/ocean_tokens.py
OceanTokens.request
def request(self, account, amount): """ Request a number of tokens to be minted and transfered to `account` :param account: Account instance requesting the tokens :param amount: int number of tokens to request :return: bool """ return self._keeper.dispenser.request_tokens(amount, account)
python
def request(self, account, amount): """ Request a number of tokens to be minted and transfered to `account` :param account: Account instance requesting the tokens :param amount: int number of tokens to request :return: bool """ return self._keeper.dispenser.request_tokens(amount, account)
[ "def", "request", "(", "self", ",", "account", ",", "amount", ")", ":", "return", "self", ".", "_keeper", ".", "dispenser", ".", "request_tokens", "(", "amount", ",", "account", ")" ]
Request a number of tokens to be minted and transfered to `account` :param account: Account instance requesting the tokens :param amount: int number of tokens to request :return: bool
[ "Request", "a", "number", "of", "tokens", "to", "be", "minted", "and", "transfered", "to", "account" ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ocean/ocean_tokens.py#L11-L19
train
235,389
oceanprotocol/squid-py
squid_py/ocean/ocean_tokens.py
OceanTokens.transfer
def transfer(self, receiver_address, amount, sender_account): """ Transfer a number of tokens from `sender_account` to `receiver_address` :param receiver_address: hex str ethereum address to receive this transfer of tokens :param amount: int number of tokens to transfer :param sender_account: Account instance to take the tokens from :return: bool """ self._keeper.token.token_approve(receiver_address, amount, sender_account) self._keeper.token.transfer(receiver_address, amount, sender_account)
python
def transfer(self, receiver_address, amount, sender_account): """ Transfer a number of tokens from `sender_account` to `receiver_address` :param receiver_address: hex str ethereum address to receive this transfer of tokens :param amount: int number of tokens to transfer :param sender_account: Account instance to take the tokens from :return: bool """ self._keeper.token.token_approve(receiver_address, amount, sender_account) self._keeper.token.transfer(receiver_address, amount, sender_account)
[ "def", "transfer", "(", "self", ",", "receiver_address", ",", "amount", ",", "sender_account", ")", ":", "self", ".", "_keeper", ".", "token", ".", "token_approve", "(", "receiver_address", ",", "amount", ",", "sender_account", ")", "self", ".", "_keeper", ".", "token", ".", "transfer", "(", "receiver_address", ",", "amount", ",", "sender_account", ")" ]
Transfer a number of tokens from `sender_account` to `receiver_address` :param receiver_address: hex str ethereum address to receive this transfer of tokens :param amount: int number of tokens to transfer :param sender_account: Account instance to take the tokens from :return: bool
[ "Transfer", "a", "number", "of", "tokens", "from", "sender_account", "to", "receiver_address" ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/ocean/ocean_tokens.py#L21-L32
train
235,390
oceanprotocol/squid-py
squid_py/aquarius/aquarius.py
Aquarius.list_assets
def list_assets(self): """ List all the assets registered in the aquarius instance. :return: List of DID string """ response = self.requests_session.get(self._base_url).content if not response: return {} try: asset_list = json.loads(response) except TypeError: asset_list = None except ValueError: raise ValueError(response.decode('UTF-8')) if not asset_list: return [] if 'ids' in asset_list: return asset_list['ids'] return []
python
def list_assets(self): """ List all the assets registered in the aquarius instance. :return: List of DID string """ response = self.requests_session.get(self._base_url).content if not response: return {} try: asset_list = json.loads(response) except TypeError: asset_list = None except ValueError: raise ValueError(response.decode('UTF-8')) if not asset_list: return [] if 'ids' in asset_list: return asset_list['ids'] return []
[ "def", "list_assets", "(", "self", ")", ":", "response", "=", "self", ".", "requests_session", ".", "get", "(", "self", ".", "_base_url", ")", ".", "content", "if", "not", "response", ":", "return", "{", "}", "try", ":", "asset_list", "=", "json", ".", "loads", "(", "response", ")", "except", "TypeError", ":", "asset_list", "=", "None", "except", "ValueError", ":", "raise", "ValueError", "(", "response", ".", "decode", "(", "'UTF-8'", ")", ")", "if", "not", "asset_list", ":", "return", "[", "]", "if", "'ids'", "in", "asset_list", ":", "return", "asset_list", "[", "'ids'", "]", "return", "[", "]" ]
List all the assets registered in the aquarius instance. :return: List of DID string
[ "List", "all", "the", "assets", "registered", "in", "the", "aquarius", "instance", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/aquarius/aquarius.py#L55-L77
train
235,391
oceanprotocol/squid-py
squid_py/aquarius/aquarius.py
Aquarius.get_asset_ddo
def get_asset_ddo(self, did): """ Retrieve asset ddo for a given did. :param did: Asset DID string :return: DDO instance """ response = self.requests_session.get(f'{self.url}/{did}').content if not response: return {} try: parsed_response = json.loads(response) except TypeError: parsed_response = None except ValueError: raise ValueError(response.decode('UTF-8')) if parsed_response is None: return {} return Asset(dictionary=parsed_response)
python
def get_asset_ddo(self, did): """ Retrieve asset ddo for a given did. :param did: Asset DID string :return: DDO instance """ response = self.requests_session.get(f'{self.url}/{did}').content if not response: return {} try: parsed_response = json.loads(response) except TypeError: parsed_response = None except ValueError: raise ValueError(response.decode('UTF-8')) if parsed_response is None: return {} return Asset(dictionary=parsed_response)
[ "def", "get_asset_ddo", "(", "self", ",", "did", ")", ":", "response", "=", "self", ".", "requests_session", ".", "get", "(", "f'{self.url}/{did}'", ")", ".", "content", "if", "not", "response", ":", "return", "{", "}", "try", ":", "parsed_response", "=", "json", ".", "loads", "(", "response", ")", "except", "TypeError", ":", "parsed_response", "=", "None", "except", "ValueError", ":", "raise", "ValueError", "(", "response", ".", "decode", "(", "'UTF-8'", ")", ")", "if", "parsed_response", "is", "None", ":", "return", "{", "}", "return", "Asset", "(", "dictionary", "=", "parsed_response", ")" ]
Retrieve asset ddo for a given did. :param did: Asset DID string :return: DDO instance
[ "Retrieve", "asset", "ddo", "for", "a", "given", "did", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/aquarius/aquarius.py#L79-L97
train
235,392
oceanprotocol/squid-py
squid_py/aquarius/aquarius.py
Aquarius.get_asset_metadata
def get_asset_metadata(self, did): """ Retrieve asset metadata for a given did. :param did: Asset DID string :return: metadata key of the DDO instance """ response = self.requests_session.get(f'{self._base_url}/metadata/{did}').content if not response: return {} try: parsed_response = json.loads(response) except TypeError: parsed_response = None except ValueError: raise ValueError(response.decode('UTF-8')) if parsed_response is None: return {} return parsed_response['metadata']
python
def get_asset_metadata(self, did): """ Retrieve asset metadata for a given did. :param did: Asset DID string :return: metadata key of the DDO instance """ response = self.requests_session.get(f'{self._base_url}/metadata/{did}').content if not response: return {} try: parsed_response = json.loads(response) except TypeError: parsed_response = None except ValueError: raise ValueError(response.decode('UTF-8')) if parsed_response is None: return {} return parsed_response['metadata']
[ "def", "get_asset_metadata", "(", "self", ",", "did", ")", ":", "response", "=", "self", ".", "requests_session", ".", "get", "(", "f'{self._base_url}/metadata/{did}'", ")", ".", "content", "if", "not", "response", ":", "return", "{", "}", "try", ":", "parsed_response", "=", "json", ".", "loads", "(", "response", ")", "except", "TypeError", ":", "parsed_response", "=", "None", "except", "ValueError", ":", "raise", "ValueError", "(", "response", ".", "decode", "(", "'UTF-8'", ")", ")", "if", "parsed_response", "is", "None", ":", "return", "{", "}", "return", "parsed_response", "[", "'metadata'", "]" ]
Retrieve asset metadata for a given did. :param did: Asset DID string :return: metadata key of the DDO instance
[ "Retrieve", "asset", "metadata", "for", "a", "given", "did", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/aquarius/aquarius.py#L99-L117
train
235,393
oceanprotocol/squid-py
squid_py/aquarius/aquarius.py
Aquarius.list_assets_ddo
def list_assets_ddo(self): """ List all the ddos registered in the aquarius instance. :return: List of DDO instance """ return json.loads(self.requests_session.get(self.url).content)
python
def list_assets_ddo(self): """ List all the ddos registered in the aquarius instance. :return: List of DDO instance """ return json.loads(self.requests_session.get(self.url).content)
[ "def", "list_assets_ddo", "(", "self", ")", ":", "return", "json", ".", "loads", "(", "self", ".", "requests_session", ".", "get", "(", "self", ".", "url", ")", ".", "content", ")" ]
List all the ddos registered in the aquarius instance. :return: List of DDO instance
[ "List", "all", "the", "ddos", "registered", "in", "the", "aquarius", "instance", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/aquarius/aquarius.py#L119-L125
train
235,394
oceanprotocol/squid-py
squid_py/aquarius/aquarius.py
Aquarius.publish_asset_ddo
def publish_asset_ddo(self, ddo): """ Register asset ddo in aquarius. :param ddo: DDO instance :return: API response (depends on implementation) """ try: asset_did = ddo.did response = self.requests_session.post(self.url, data=ddo.as_text(), headers=self._headers) except AttributeError: raise AttributeError('DDO invalid. Review that all the required parameters are filled.') if response.status_code == 500: raise ValueError( f'This Asset ID already exists! \n\tHTTP Error message: \n\t\t{response.text}') elif response.status_code != 201: raise Exception(f'{response.status_code} ERROR Full error: \n{response.text}') elif response.status_code == 201: response = json.loads(response.content) logger.debug(f'Published asset DID {asset_did}') return response else: raise Exception(f'Unhandled ERROR: status-code {response.status_code}, ' f'error message {response.text}')
python
def publish_asset_ddo(self, ddo): """ Register asset ddo in aquarius. :param ddo: DDO instance :return: API response (depends on implementation) """ try: asset_did = ddo.did response = self.requests_session.post(self.url, data=ddo.as_text(), headers=self._headers) except AttributeError: raise AttributeError('DDO invalid. Review that all the required parameters are filled.') if response.status_code == 500: raise ValueError( f'This Asset ID already exists! \n\tHTTP Error message: \n\t\t{response.text}') elif response.status_code != 201: raise Exception(f'{response.status_code} ERROR Full error: \n{response.text}') elif response.status_code == 201: response = json.loads(response.content) logger.debug(f'Published asset DID {asset_did}') return response else: raise Exception(f'Unhandled ERROR: status-code {response.status_code}, ' f'error message {response.text}')
[ "def", "publish_asset_ddo", "(", "self", ",", "ddo", ")", ":", "try", ":", "asset_did", "=", "ddo", ".", "did", "response", "=", "self", ".", "requests_session", ".", "post", "(", "self", ".", "url", ",", "data", "=", "ddo", ".", "as_text", "(", ")", ",", "headers", "=", "self", ".", "_headers", ")", "except", "AttributeError", ":", "raise", "AttributeError", "(", "'DDO invalid. Review that all the required parameters are filled.'", ")", "if", "response", ".", "status_code", "==", "500", ":", "raise", "ValueError", "(", "f'This Asset ID already exists! \\n\\tHTTP Error message: \\n\\t\\t{response.text}'", ")", "elif", "response", ".", "status_code", "!=", "201", ":", "raise", "Exception", "(", "f'{response.status_code} ERROR Full error: \\n{response.text}'", ")", "elif", "response", ".", "status_code", "==", "201", ":", "response", "=", "json", ".", "loads", "(", "response", ".", "content", ")", "logger", ".", "debug", "(", "f'Published asset DID {asset_did}'", ")", "return", "response", "else", ":", "raise", "Exception", "(", "f'Unhandled ERROR: status-code {response.status_code}, '", "f'error message {response.text}'", ")" ]
Register asset ddo in aquarius. :param ddo: DDO instance :return: API response (depends on implementation)
[ "Register", "asset", "ddo", "in", "aquarius", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/aquarius/aquarius.py#L127-L151
train
235,395
oceanprotocol/squid-py
squid_py/aquarius/aquarius.py
Aquarius.update_asset_ddo
def update_asset_ddo(self, did, ddo): """ Update the ddo of a did already registered. :param did: Asset DID string :param ddo: DDO instance :return: API response (depends on implementation) """ response = self.requests_session.put(f'{self.url}/{did}', data=ddo.as_text(), headers=self._headers) if response.status_code == 200 or response.status_code == 201: return json.loads(response.content) else: raise Exception(f'Unable to update DDO: {response.content}')
python
def update_asset_ddo(self, did, ddo): """ Update the ddo of a did already registered. :param did: Asset DID string :param ddo: DDO instance :return: API response (depends on implementation) """ response = self.requests_session.put(f'{self.url}/{did}', data=ddo.as_text(), headers=self._headers) if response.status_code == 200 or response.status_code == 201: return json.loads(response.content) else: raise Exception(f'Unable to update DDO: {response.content}')
[ "def", "update_asset_ddo", "(", "self", ",", "did", ",", "ddo", ")", ":", "response", "=", "self", ".", "requests_session", ".", "put", "(", "f'{self.url}/{did}'", ",", "data", "=", "ddo", ".", "as_text", "(", ")", ",", "headers", "=", "self", ".", "_headers", ")", "if", "response", ".", "status_code", "==", "200", "or", "response", ".", "status_code", "==", "201", ":", "return", "json", ".", "loads", "(", "response", ".", "content", ")", "else", ":", "raise", "Exception", "(", "f'Unable to update DDO: {response.content}'", ")" ]
Update the ddo of a did already registered. :param did: Asset DID string :param ddo: DDO instance :return: API response (depends on implementation)
[ "Update", "the", "ddo", "of", "a", "did", "already", "registered", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/aquarius/aquarius.py#L153-L166
train
235,396
oceanprotocol/squid-py
squid_py/aquarius/aquarius.py
Aquarius.text_search
def text_search(self, text, sort=None, offset=100, page=1): """ Search in aquarius using text query. Given the string aquarius will do a full-text query to search in all documents. Currently implemented are the MongoDB and Elastic Search drivers. For a detailed guide on how to search, see the MongoDB driver documentation: mongodb driverCurrently implemented in: https://docs.mongodb.com/manual/reference/operator/query/text/ And the Elastic Search documentation: https://www.elastic.co/guide/en/elasticsearch/guide/current/full-text-search.html Other drivers are possible according to each implementation. :param text: String to be search. :param sort: 1/-1 to sort ascending or descending. :param offset: Integer with the number of elements displayed per page. :param page: Integer with the number of page. :return: List of DDO instance """ assert page >= 1, f'Invalid page value {page}. Required page >= 1.' payload = {"text": text, "sort": sort, "offset": offset, "page": page} response = self.requests_session.get( f'{self.url}/query', params=payload, headers=self._headers ) if response.status_code == 200: return self._parse_search_response(response.content) else: raise Exception(f'Unable to search for DDO: {response.content}')
python
def text_search(self, text, sort=None, offset=100, page=1): """ Search in aquarius using text query. Given the string aquarius will do a full-text query to search in all documents. Currently implemented are the MongoDB and Elastic Search drivers. For a detailed guide on how to search, see the MongoDB driver documentation: mongodb driverCurrently implemented in: https://docs.mongodb.com/manual/reference/operator/query/text/ And the Elastic Search documentation: https://www.elastic.co/guide/en/elasticsearch/guide/current/full-text-search.html Other drivers are possible according to each implementation. :param text: String to be search. :param sort: 1/-1 to sort ascending or descending. :param offset: Integer with the number of elements displayed per page. :param page: Integer with the number of page. :return: List of DDO instance """ assert page >= 1, f'Invalid page value {page}. Required page >= 1.' payload = {"text": text, "sort": sort, "offset": offset, "page": page} response = self.requests_session.get( f'{self.url}/query', params=payload, headers=self._headers ) if response.status_code == 200: return self._parse_search_response(response.content) else: raise Exception(f'Unable to search for DDO: {response.content}')
[ "def", "text_search", "(", "self", ",", "text", ",", "sort", "=", "None", ",", "offset", "=", "100", ",", "page", "=", "1", ")", ":", "assert", "page", ">=", "1", ",", "f'Invalid page value {page}. Required page >= 1.'", "payload", "=", "{", "\"text\"", ":", "text", ",", "\"sort\"", ":", "sort", ",", "\"offset\"", ":", "offset", ",", "\"page\"", ":", "page", "}", "response", "=", "self", ".", "requests_session", ".", "get", "(", "f'{self.url}/query'", ",", "params", "=", "payload", ",", "headers", "=", "self", ".", "_headers", ")", "if", "response", ".", "status_code", "==", "200", ":", "return", "self", ".", "_parse_search_response", "(", "response", ".", "content", ")", "else", ":", "raise", "Exception", "(", "f'Unable to search for DDO: {response.content}'", ")" ]
Search in aquarius using text query. Given the string aquarius will do a full-text query to search in all documents. Currently implemented are the MongoDB and Elastic Search drivers. For a detailed guide on how to search, see the MongoDB driver documentation: mongodb driverCurrently implemented in: https://docs.mongodb.com/manual/reference/operator/query/text/ And the Elastic Search documentation: https://www.elastic.co/guide/en/elasticsearch/guide/current/full-text-search.html Other drivers are possible according to each implementation. :param text: String to be search. :param sort: 1/-1 to sort ascending or descending. :param offset: Integer with the number of elements displayed per page. :param page: Integer with the number of page. :return: List of DDO instance
[ "Search", "in", "aquarius", "using", "text", "query", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/aquarius/aquarius.py#L168-L200
train
235,397
oceanprotocol/squid-py
squid_py/aquarius/aquarius.py
Aquarius.query_search
def query_search(self, search_query, sort=None, offset=100, page=1): """ Search using a query. Currently implemented is the MongoDB query model to search for documents according to: https://docs.mongodb.com/manual/tutorial/query-documents/ And an Elastic Search driver, which implements a basic parser to convert the query into elastic search format. Example: query_search({"price":[0,10]}) :param search_query: Python dictionary, query following mongodb syntax :param sort: 1/-1 to sort ascending or descending. :param offset: Integer with the number of elements displayed per page. :param page: Integer with the number of page. :return: List of DDO instance """ assert page >= 1, f'Invalid page value {page}. Required page >= 1.' search_query['sort'] = sort search_query['offset'] = offset search_query['page'] = page response = self.requests_session.post( f'{self.url}/query', data=json.dumps(search_query), headers=self._headers ) if response.status_code == 200: return self._parse_search_response(response.content) else: raise Exception(f'Unable to search for DDO: {response.content}')
python
def query_search(self, search_query, sort=None, offset=100, page=1): """ Search using a query. Currently implemented is the MongoDB query model to search for documents according to: https://docs.mongodb.com/manual/tutorial/query-documents/ And an Elastic Search driver, which implements a basic parser to convert the query into elastic search format. Example: query_search({"price":[0,10]}) :param search_query: Python dictionary, query following mongodb syntax :param sort: 1/-1 to sort ascending or descending. :param offset: Integer with the number of elements displayed per page. :param page: Integer with the number of page. :return: List of DDO instance """ assert page >= 1, f'Invalid page value {page}. Required page >= 1.' search_query['sort'] = sort search_query['offset'] = offset search_query['page'] = page response = self.requests_session.post( f'{self.url}/query', data=json.dumps(search_query), headers=self._headers ) if response.status_code == 200: return self._parse_search_response(response.content) else: raise Exception(f'Unable to search for DDO: {response.content}')
[ "def", "query_search", "(", "self", ",", "search_query", ",", "sort", "=", "None", ",", "offset", "=", "100", ",", "page", "=", "1", ")", ":", "assert", "page", ">=", "1", ",", "f'Invalid page value {page}. Required page >= 1.'", "search_query", "[", "'sort'", "]", "=", "sort", "search_query", "[", "'offset'", "]", "=", "offset", "search_query", "[", "'page'", "]", "=", "page", "response", "=", "self", ".", "requests_session", ".", "post", "(", "f'{self.url}/query'", ",", "data", "=", "json", ".", "dumps", "(", "search_query", ")", ",", "headers", "=", "self", ".", "_headers", ")", "if", "response", ".", "status_code", "==", "200", ":", "return", "self", ".", "_parse_search_response", "(", "response", ".", "content", ")", "else", ":", "raise", "Exception", "(", "f'Unable to search for DDO: {response.content}'", ")" ]
Search using a query. Currently implemented is the MongoDB query model to search for documents according to: https://docs.mongodb.com/manual/tutorial/query-documents/ And an Elastic Search driver, which implements a basic parser to convert the query into elastic search format. Example: query_search({"price":[0,10]}) :param search_query: Python dictionary, query following mongodb syntax :param sort: 1/-1 to sort ascending or descending. :param offset: Integer with the number of elements displayed per page. :param page: Integer with the number of page. :return: List of DDO instance
[ "Search", "using", "a", "query", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/aquarius/aquarius.py#L202-L232
train
235,398
oceanprotocol/squid-py
squid_py/aquarius/aquarius.py
Aquarius.retire_asset_ddo
def retire_asset_ddo(self, did): """ Retire asset ddo of Aquarius. :param did: Asset DID string :return: API response (depends on implementation) """ response = self.requests_session.delete(f'{self.url}/{did}', headers=self._headers) if response.status_code == 200: logging.debug(f'Removed asset DID: {did} from metadata store') return response raise AquariusGenericError(f'Unable to remove DID: {response}')
python
def retire_asset_ddo(self, did): """ Retire asset ddo of Aquarius. :param did: Asset DID string :return: API response (depends on implementation) """ response = self.requests_session.delete(f'{self.url}/{did}', headers=self._headers) if response.status_code == 200: logging.debug(f'Removed asset DID: {did} from metadata store') return response raise AquariusGenericError(f'Unable to remove DID: {response}')
[ "def", "retire_asset_ddo", "(", "self", ",", "did", ")", ":", "response", "=", "self", ".", "requests_session", ".", "delete", "(", "f'{self.url}/{did}'", ",", "headers", "=", "self", ".", "_headers", ")", "if", "response", ".", "status_code", "==", "200", ":", "logging", ".", "debug", "(", "f'Removed asset DID: {did} from metadata store'", ")", "return", "response", "raise", "AquariusGenericError", "(", "f'Unable to remove DID: {response}'", ")" ]
Retire asset ddo of Aquarius. :param did: Asset DID string :return: API response (depends on implementation)
[ "Retire", "asset", "ddo", "of", "Aquarius", "." ]
43a5b7431627e4c9ab7382ed9eb8153e96ed4483
https://github.com/oceanprotocol/squid-py/blob/43a5b7431627e4c9ab7382ed9eb8153e96ed4483/squid_py/aquarius/aquarius.py#L234-L246
train
235,399